Sentiment analysis of 2020 Election tweets¶

TEAM MEMBERS:

  1. Tomas Perez Gutierrez(tomaspg@bu.edu)
  2. Apoorv Upadhye(aupadhye@bu.edu),
  3. Janvi Vora(jaanviii@bu.edu),
  4. Surendranath Reddy Nagula(nsreddy@bu.edu)

Execution time : 6 - 7 hrs

Context¶

We used tweets from Kaggle and Twitter API to get a dataset on tweets 1 month prior to the 2020 US elections.

Motivation¶

We wanted explore how tweets reflect the public sentiment in the event of a significant event such as the 2020 US elections. How can we use Machine Learning to find better predictions of the upcoming future elections that already have a lot of data on people's sentiments in the public domain?

Data Preprocessing¶

  1. We have joebiden.csv and donaldtrump.csv with tweets related to each presidential candidate. Preprocessing/ cleaning involved including removal of hashtags, retweets, tweets outside the USA.
  2. We filtered tweets for English language & also within a period of 1 month before election day.

Model Used for NLP(getting the sentiment of the tweet)¶

  1. TextBlob is a Python library for Natural Language Processing (NLP). TextBlob actively employed Natural Language ToolKit (NLTK) to accomplish its tasks. NLTK is a library that provides easy access to many lexical resources and allows users to deal with categorization, classification, and a variety of other tasks. TextBlob is a basic package that allows for lexicon based sentiment analysis.
  2. Google cloud NLP API, Using Google's superior text analysis algorithm. Google Cloud Natural Language API is a cloud-based collection of strong machine learning models. It can do Sentiment Analysis, Entity Analysis, Syntax Analysis, Entity Sentiment Analysis, and Text Classification without labeled or training data. These models have been pre-trained on somewhat large datasets.

Using the NLP Result¶

We use the NLP results from both texblob and GCP NLP API and provide it as the final label(sentiment) of the tweet and then create classification algorithms to predict the sentiment using actual tweets.

Machine Learning Models Used¶

  1. Logistic Regression, with the best success rate of 85.4%, is the Model used in the final prediction of the outcome.
  2. Naive Bayes, using the Bayesian algorithm to predict the classification of the votes
  3. Random Forest it's a combination of hundreds of decision trees that gives a representation of the most important feature
  4. Gradient Boost Algorithm, Ensemble Learning technique that combines several weak learners(predictors with poor accuracy) into a strong learner(a model with factual accuracy). This works by each Model paying attention to its predecessor's mistakes.
  5. Factorization Machines (FM) is a generic yet robust model framework especially well-suited to collaborative filtering recommendation problems
  6. Support Vector Machines SVM is based on the idea of finding a hyperplane that best separates the features into different domains.
  7. Decision Tree, these classifiers provide a direct value of the most critical parameter and then divide the parameters tree-wise and use Gini Index to get the most critical parameter.

Visualization¶

  1. After getting the best result via Logistic Regression as our top priority model, we display the results of each candidate's votes and prediction counts.
  2. We are now using the prediction of our Model to get the winner in a single state by using (positive references-negative references).

Final Results¶

  1. We have predictions of state-wise winners, visualized using pyplotexpress
  2. Joe Biden seems like a clear winner, however our predictions differ from the actual results and we've included our hypotheses for the inaccuracy in predictions in the report.
In [ ]:
# Imports
import numpy as np
import pandas as pd
import re
In [ ]:
gpu_info = !nvidia-smi
gpu_info = '\n'.join(gpu_info)
if gpu_info.find('failed') >= 0:
  print('Not connected to a GPU')
else:
  print(gpu_info)
Sun May  1 21:04:36 2022       
+-----------------------------------------------------------------------------+
| NVIDIA-SMI 460.32.03    Driver Version: 460.32.03    CUDA Version: 11.2     |
|-------------------------------+----------------------+----------------------+
| GPU  Name        Persistence-M| Bus-Id        Disp.A | Volatile Uncorr. ECC |
| Fan  Temp  Perf  Pwr:Usage/Cap|         Memory-Usage | GPU-Util  Compute M. |
|                               |                      |               MIG M. |
|===============================+======================+======================|
|   0  Tesla K80           Off  | 00000000:00:04.0 Off |                    0 |
| N/A   35C    P8    26W / 149W |      0MiB / 11441MiB |      0%      Default |
|                               |                      |                  N/A |
+-------------------------------+----------------------+----------------------+
                                                                               
+-----------------------------------------------------------------------------+
| Processes:                                                                  |
|  GPU   GI   CI        PID   Type   Process name                  GPU Memory |
|        ID   ID                                                   Usage      |
|=============================================================================|
|  No running processes found                                                 |
+-----------------------------------------------------------------------------+
In [ ]:
#!pip install pyspark
# Spark Imports
from pyspark.sql import SparkSession
from pyspark.ml.feature import Tokenizer, RegexTokenizer, CountVectorizer, \
           StopWordsRemover, NGram, HashingTF, IDF, Word2Vec

from pyspark.sql.functions import explode, expr
from pyspark.ml.functions  import vector_to_array

from pyspark.sql.functions import length, size

from pyspark.ml.feature import VectorAssembler
from pyspark.ml.feature import StringIndexer
from pyspark.ml.tuning import ParamGridBuilder, CrossValidator
from pyspark.ml import Pipeline
from pyspark.ml.classification import LogisticRegression
from pyspark.ml.classification import LogisticRegressionModel
from pyspark.ml.evaluation import MulticlassClassificationEvaluator
from pyspark.ml.classification import MultilayerPerceptronClassifier
In [ ]:
# Visualization imports
import matplotlib.pyplot as plt
from wordcloud import WordCloud, STOPWORDS, ImageColorGenerator
import seaborn as sns
import os
import plotly.express as pxw
import plotly.graph_objs as go
import collections
from collections import defaultdict

Spark Initializer¶

In [ ]:
# Initializing Spark
spark = SparkSession.builder.appName("FinalML").getOrCreate()
sc = spark.sparkContext

Data Loading¶

In [ ]:
from pyspark.sql.functions import lit
In [ ]:
# For colab
from google.colab import files
files.upload()
Upload widget is only available when the cell has been executed in the current browser session. Please rerun this cell to enable.
Saving joebiden.csv to joebiden.csv

Joe Biden Data

image.png

In [ ]:
# Loading Biden data with Spark
biden_df = spark.read.csv('joebiden.csv', inferSchema=True, header=True, sep=',')
biden_df = biden_df.dropna()
biden_df = biden_df.withColumn('candidate', lit('Joe Biden'))

Donald Trump Data

image.png

In [ ]:
# For colab
files.upload()
Upload widget is only available when the cell has been executed in the current browser session. Please rerun this cell to enable.
Saving donaldtrump.csv to donaldtrump.csv
In [ ]:
# Loading Trump data with Spark
trump_df = spark.read.csv('donaldtrump.csv', inferSchema=True, header=True, sep=',')
trump_df = trump_df.dropna()
trump_df = trump_df.withColumn('candidate', lit('Donald Trump'))
In [ ]:
biden_df.count()
Out[ ]:
70120
In [ ]:
# Merging Dataframes
elections_df = biden_df.union(trump_df)
In [ ]:
elections_df.printSchema()
root
 |-- _c0: string (nullable = true)
 |-- created_at: string (nullable = true)
 |-- tweet_id: string (nullable = true)
 |-- tweet: string (nullable = true)
 |-- likes: string (nullable = true)
 |-- retweet_count: string (nullable = true)
 |-- source: string (nullable = true)
 |-- user_id: string (nullable = true)
 |-- user_name: string (nullable = true)
 |-- user_screen_name: string (nullable = true)
 |-- user_description: string (nullable = true)
 |-- user_join_date: string (nullable = true)
 |-- user_followers_count: string (nullable = true)
 |-- user_location: string (nullable = true)
 |-- lat: string (nullable = true)
 |-- long: string (nullable = true)
 |-- city: string (nullable = true)
 |-- country: string (nullable = true)
 |-- continent: string (nullable = true)
 |-- state: string (nullable = true)
 |-- state_code: string (nullable = true)
 |-- collected_at: string (nullable = true)
 |-- language: string (nullable = true)
 |-- candidate: string (nullable = false)

Data exploration & preprocessing¶

Twitter Data Filtering / Formatting¶

In [ ]:
from pyspark.sql.functions import *
In [ ]:
import datetime
# Selecting Relevant Colums
elections_filtered_df = elections_df.select(elections_df.created_at.alias('date'),'tweet','country','state','state_code','Candidate')
# Filtering US Tweets
elections_filtered_df = elections_filtered_df.filter(elections_filtered_df.country == 'United States of America')
# Giving Format to dates
elections_filtered_df = elections_filtered_df.withColumn('date',elections_filtered_df.date[0:10])
elections_filtered_df = elections_filtered_df.withColumn('date',to_date(col("date"),"yyyy-MM-dd"))
# Filtering Tweets 'October 16th 2020' - 'Day of Elections'
elections_filtered_df = elections_filtered_df.filter((elections_filtered_df.date < datetime.date(2020,11,3)) & (elections_filtered_df.date > datetime.date(2020,10,8)))
In [ ]:
# Number of data
elections_filtered_df.count()
Out[ ]:
58225

Is the data balanced for each candidate?

In [ ]:
# Tweets count per Candidate
elections_filtered_df.groupBy('candidate').count().show()
+------------+-----+
|   candidate|count|
+------------+-----+
|   Joe Biden|24517|
|Donald Trump|33708|
+------------+-----+

In [ ]:
# Converting data to Pandas dataframe for Plotting
election_pandas = elections_filtered_df.toPandas()

election_pandas.groupby('Candidate')['tweet'].count().plot.bar()
plt.xlabel("Candidate")
plt.ylabel('Number of tweets')
plt.title('How do the tweets of each candidate compare in number?')
plt.show()

How many tweets do we have per State?

In [ ]:
# Tweets per State
elections_filtered_df.groupBy('state').count().orderBy(desc('count')).show(50)
+--------------------+-----+
|               state|count|
+--------------------+-----+
|          California|11617|
|            New York|10944|
|               Texas| 5071|
|District of Columbia| 4542|
|             Florida| 3914|
|            Illinois| 2561|
|        Pennsylvania| 2192|
|                Ohio| 1934|
|             Georgia| 1413|
|       Massachusetts| 1401|
|            Colorado| 1083|
|              Nevada| 1071|
|             Arizona| 1003|
|          Washington|  987|
|      North Carolina|  753|
|              Oregon|  728|
|           Tennessee|  715|
|            Michigan|  714|
|            Missouri|  640|
|           Minnesota|  565|
|            Maryland|  452|
|            Virginia|  415|
|             Indiana|  350|
|           Louisiana|  323|
|          New Jersey|  308|
|           Wisconsin|  283|
|             Alabama|  238|
|              Hawaii|  197|
|            Kentucky|  193|
|               Idaho|  157|
|      South Carolina|  148|
|          New Mexico|  143|
|            Oklahoma|  128|
|                Utah|  121|
|         Puerto Rico|  112|
|            Nebraska|  103|
|              Kansas|   99|
|         Connecticut|   86|
|              Alaska|   86|
|                Iowa|   82|
|        Rhode Island|   74|
|         Mississippi|   60|
|            Arkansas|   56|
|             Montana|   30|
|             Wyoming|   30|
|       New Hampshire|   29|
|             Vermont|   23|
|               Maine|   18|
|        North Dakota|   12|
|       West Virginia|   11|
+--------------------+-----+
only showing top 50 rows

In [ ]:
plt.figure(figsize=(10,5))
election_pandas.groupby('state')['tweet'].count().sort_values(ascending=False).plot.bar()
plt.xlabel('State')
plt.ylabel('Tweet #')
plt.title('Overall count for tweets for each state')
plt.show()

How many tweets do we have per State and Candidate?

In [ ]:
# Tweets per State & Candidate
elections_filtered_df.groupBy('state','candidate').count().orderBy('state','candidate').show()
+--------------------+------------+-----+
|               state|   candidate|count|
+--------------------+------------+-----+
|             Alabama|Donald Trump|   97|
|             Alabama|   Joe Biden|  141|
|              Alaska|Donald Trump|   35|
|              Alaska|   Joe Biden|   51|
|             Arizona|Donald Trump|  532|
|             Arizona|   Joe Biden|  471|
|            Arkansas|Donald Trump|   35|
|            Arkansas|   Joe Biden|   21|
|          California|Donald Trump| 7180|
|          California|   Joe Biden| 4437|
|            Colorado|Donald Trump|  689|
|            Colorado|   Joe Biden|  394|
|         Connecticut|Donald Trump|   49|
|         Connecticut|   Joe Biden|   37|
|            Delaware|Donald Trump|    5|
|            Delaware|   Joe Biden|    4|
|District of Columbia|Donald Trump| 2992|
|District of Columbia|   Joe Biden| 1550|
|             Florida|Donald Trump| 2323|
|             Florida|   Joe Biden| 1591|
+--------------------+------------+-----+
only showing top 20 rows

In [ ]:
top_states = election_pandas.groupby('state')['tweet'].count().sort_values(ascending=False).index.tolist()[:10]

country_df = election_pandas.groupby(['state','Candidate'])['tweet'].count().reset_index()
plt.figure(figsize=(20,8))
country_df = country_df.sort_values(by='tweet', ascending=False)
country_df = country_df[country_df['state'].isin(top_states)]
sns.barplot(data=country_df,x='state',y='tweet',hue='Candidate')
plt.xlabel('State')
plt.ylabel('Tweet #')
plt.title('States with the Tweets by Candidate')
plt.show()
In [ ]:
top_states = election_pandas.groupby('state')['tweet'].count().sort_values(ascending=False).index.tolist()[10:20]

country_df = election_pandas.groupby(['state','Candidate'])['tweet'].count().reset_index()
plt.figure(figsize=(20,8))
country_df = country_df.sort_values(by='tweet', ascending=False)
country_df = country_df[country_df['state'].isin(top_states)]
sns.barplot(data=country_df,x='state',y='tweet',hue='Candidate')
plt.xlabel('State')
plt.ylabel('Tweet #')
plt.title('States with the Tweets by Candidate')
plt.show()
In [ ]:
from pyspark.sql import functions as F

# Cleaning-Up Tweet
# =================
# Lowercasing all the tweets
elections_filtered_df = elections_filtered_df.withColumn('tweet', lower(col('tweet')))
# Removing Links
elections_filtered_df = elections_filtered_df.withColumn('tweet', F.regexp_replace('tweet', r'http\S+', ''))
elections_filtered_df = elections_filtered_df.withColumn('tweet', F.regexp_replace('tweet', r'www.\S+', ''))
# Removing hashtags and mentions
elections_filtered_df = elections_filtered_df.withColumn('tweet', F.regexp_replace('tweet', '#', ''))
elections_filtered_df = elections_filtered_df.withColumn('tweet', F.regexp_replace('tweet', '@', ''))
# Removing RTs
elections_filtered_df = elections_filtered_df.withColumn('tweet', F.regexp_replace('tweet', 'RT', ''))
elections_filtered_df = elections_filtered_df.withColumn('tweet', F.regexp_replace('tweet', ':', ''))
# Removing punctuactions
elections_filtered_df = elections_filtered_df.withColumn('tweet', F.regexp_replace('tweet', '[()!?]', ''))
elections_filtered_df = elections_filtered_df.withColumn('tweet', F.regexp_replace('tweet', '\[.*?\]', ''))
elections_filtered_df = elections_filtered_df.withColumn('tweet', F.regexp_replace('tweet', '"', ''))
elections_filtered_df = elections_filtered_df.withColumn('tweet', F.regexp_replace('tweet', ',', ''))
# Removing non-alphanumeric characters
#elections_filtered_df = elections_filtered_df.withColumn('tweet', F.regexp_replace('tweet', '[^a-zA-Z0-9 -]', '  '))

What are the most frequent key words?

In [ ]:
# Converting data into Pandas for Plotting
election_pandas = elections_filtered_df.toPandas()

# Word Cloud
def word_cloud(wd_list):
    all_words = ' '.join([text for text in wd_list])
    wordcloud = WordCloud(
        background_color='white',
        width=1600,
        height=800,
        random_state=1,
        colormap='jet',
        max_words=80,
        max_font_size=200).generate(all_words)
    plt.figure(figsize=(12, 10))
    plt.axis('off')
    plt.imshow(wordcloud, interpolation="bilinear")

word_cloud(election_pandas['tweet'].sample(2000))

Which candidate had more social media representation?

In [ ]:
def get_day(timestamp):
    day = timestamp
    return day

time_df = election_pandas.dropna(subset=['tweet'])
time_df['date'] = time_df['date'].apply(get_day)
time_df = time_df.groupby(['Candidate', 'date'])['tweet'].count().reset_index()

fig = pxw.line(time_df, x='date', y='tweet', color='Candidate', 
    labels={
                     "date": "Date",
                     "tweet": "Tweet #",
    },
    title="Daily Number of Tweets per Candidate")

fig.show()
In [ ]:
state_df = election_pandas[election_pandas['country'] == 'United States of America'].dropna(subset=['state_code']).groupby(['state_code','Candidate'])['tweet'].count().reset_index()
state_df = state_df.set_index(['Candidate', 'state_code']).unstack(level=0)

def getDiff(state):
    total = state[1] + state[0]
    diff = state[1] - state[0]  # trump - biden
    
    return diff/total

state_df = state_df.apply(getDiff, axis=1).reset_index().rename({0: 'diff'}, axis=1)
In [188]:
# Visualization of USA map by number of tweets for each candidate
# Red - Trump, Blue - Biden
fig = pxw.choropleth(state_df,
                    locations='state_code',
                    locationmode="USA-states",
                    scope='usa',
                    color='diff',
                    color_continuous_scale=('#ff4040', '#4040ff'),
                    range_color=(0, 0.2),
                    color_continuous_midpoint=0,
                    )
fig.show()
In [ ]:
election_pandas
Out[ ]:
Index date tweet country state state_code Candidate GCP_polarity textblob_sentiment textblob_polarity
0 0 10/15/2020 corruption bidencrimefamily joebiden hunterbid... United States of America New York NY Joe Biden 0 neutral 0.000000
1 1 10/15/2020 hunterbiden hunterbidenemails joebiden bidenha... United States of America New York NY Joe Biden 1 neutral 0.000000
2 2 10/15/2020 let’s do this people help the team out timefor... United States of America Kansas KS Joe Biden 1 neutral 0.000000
3 3 10/15/2020 my latest for theneutral biden trump nypost hu... United States of America Texas TX Joe Biden 2 positive 0.500000
4 4 10/15/2020 &amp; yeah pres is likely to get higher rating... United States of America New York NY Joe Biden 2 positive 0.020000
... ... ... ... ... ... ... ... ... ... ...
16428 3428 11/2/2020 🇺🇸 ahead of electionday in the usa this is wha... United States of America District of Columbia DC Donald Trump 0 neutral 0.000000
16429 3429 11/2/2020 👏🏽👏🏽👏🏽 politics biden trump United States of America Texas TX Donald Trump 0 neutral 0.000000
16430 3430 11/2/2020 📣 new podcast ep. 977 | election day eve | the... United States of America Massachusetts MA Donald Trump 2 positive 0.136364
16431 3431 11/2/2020 📣 new podcast treason show 54 on spreaker coro... United States of America Arizona AZ Donald Trump 2 positive 0.136364
16432 3432 11/2/2020 🤐🤐🤐🤐🤐 eleicoes2020 eleicoeseua trump trump2... United States of America District of Columbia DC Donald Trump 2 neutral 0.000000

16433 rows × 10 columns

In [ ]:
state_time_df = election_pandas[election_pandas['country'] == 'United States of America'].dropna(subset=['state_code'])
state_time_df['date_str'] = election_pandas['date'].apply(lambda x: str(x))
state_time_df = state_time_df.groupby(['state_code', 'Candidate', 'date_str'])['tweet'].count().reset_index()

state_time_df.head()
Out[ ]:
state_code Candidate date_str tweet
0 AK Donald Trump 10/20/2020 1
1 AK Donald Trump 10/23/2020 3
2 AK Donald Trump 10/27/2020 1
3 AK Donald Trump 10/28/2020 2
4 AK Donald Trump 10/31/2020 1
In [ ]:
# Play visualization to see variation of tweets over time
fig = pxw.choropleth(state_time_df,
                    locations='state_code',
                    locationmode='USA-states',
                    animation_frame='date_str',
                    scope='usa',
                    color='tweet',
                    color_continuous_scale=pxw.colors.sequential.Plasma,
                    range_color=(0, 250),
                    width=1000,
                    height=500
                    )
fig.show()

Splitting data¶

We are going to use 30% of the data for training/testing the model and the other 70% for making predictions.

In [ ]:
# Splitting data
model_df, predicting_df = elections_filtered_df.randomSplit([0.3, 0.7], seed=1)

# Seeing if data from both candidates is balanced
model_df.groupBy('candidate').count().show()
predicting_df.groupBy('candidate').count().show()
+------------+-----+
|   candidate|count|
+------------+-----+
|   Joe Biden| 7287|
|Donald Trump|10146|
+------------+-----+

+------------+-----+
|   candidate|count|
+------------+-----+
|   Joe Biden|17230|
|Donald Trump|23562|
+------------+-----+

Sentiment Labeling with TextBlob¶

In [ ]:
# Importing TextBlob
from textblob import TextBlob
In [ ]:
# Getting the Polarity
    # 1: Positive
    # 0: Negative

def get_textblob_sentiment(tweet):
    polarity = TextBlob(tweet).sentiment.polarity
    if(polarity > 0):
        return 1
    elif (polarity < 0):
        return 0
    else:
        return 2

def get_textblob_polarity(tweet):
    return TextBlob(tweet).sentiment.polarity
In [ ]:
election_pandas_textblob = model_df.toPandas()
In [ ]:
election_pandas_textblob['textblob_sentiment'] = election_pandas_textblob['tweet'].apply(lambda x: get_textblob_sentiment(x))
election_pandas_textblob['textblob_polarity'] = election_pandas_textblob['tweet'].apply(lambda x: get_textblob_polarity(x))
In [ ]:
election_pandas_textblob['textblob_sentiment']=election_pandas_textblob['textblob_sentiment'].replace(0,'negative')
election_pandas_textblob['textblob_sentiment']=election_pandas_textblob['textblob_sentiment'].replace(1,'positive')
election_pandas_textblob['textblob_sentiment']=election_pandas_textblob['textblob_sentiment'].replace(2,'neutral')
In [ ]:
sentiment_count_textblob = election_pandas.groupby(['textblob_sentiment', 'Candidate'])['tweet'].count().reset_index()
plt.figure(figsize=(10,8))
sns.barplot(data=sentiment_count_textblob, x='textblob_sentiment', y='tweet', hue='Candidate')
plt.show()
In [ ]:
textblob_polarity = udf(lambda x: get_textblob_polarity(x))
textblob_sentiment = udf(lambda x: get_textblob_sentiment(x))

spark.udf.register("textblob_polarity", textblob_polarity)
spark.udf.register("textblob_sentiment", textblob_sentiment)

model_df_textblob = model_df.withColumn('textblob_polarity',textblob_polarity('tweet').cast('double')) \
                    .withColumn('textblob_sentiment',textblob_sentiment('tweet').cast('double')).dropna()

Sentiment labeling with GCP¶

Features of GCP Natural Language AI API - Sentiment analysis

72ac197a-b996-4cbe-8cf1-c0d51e60dcbc.JPG

image.png

GCP NL AI API - Dependency graph for contextual understanding

image.png

In [ ]:
# For colab
files.upload()
Upload widget is only available when the cell has been executed in the current browser session. Please rerun this cell to enable.
Saving Tweets_with_GCP.csv to Tweets_with_GCP.csv
Out[ ]:
{'Tweets_with_GCP.csv': b"Index,date,tweet,country,state,state_code,Candidate,GCP_polarity,GCP_sentiment_score\r\n0,10/15/2020,corruption bidencrimefamily joebiden hunterbiden 4moreyears corruptbiden joebidenisaliar crackpipebiden democrats quidprojoe vote waytooearly election election2020 elections2020 biden biden2020 2020election trending censorship usa,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1,10/15/2020,hunterbiden hunterbidenemails joebiden bidenharris2020 biden2020,United States of America,New York,NY,Joe Biden,1,0.3\r\n2,10/15/2020,let\xe2\x80\x99s do this people help the team out timeforchange biden biden2020,United States of America,Kansas,KS,Joe Biden,1,0.6\r\n3,10/15/2020,my latest for theneutral biden trump nypost hunterbiden tech,United States of America,Texas,TX,Joe Biden,2,0\r\n4,10/15/2020,&amp; yeah pres is likely to get higher ratings. bc that\xe2\x80\x99s what moves votes \xf0\x9f\x98\x84 lot of folks will choose to watch trainwreck. not slightest bit indicative like crowd size - ask j. kerry or m. romney how their massive crowds turned out - or biden re small crowds in early states,United States of America,New York,NY,Joe Biden,2,0\r\n5,10/15/2020,'voter fraud alert' - us voters post photos of their unsolicited mail-in ballots online  via observers voterfraud voterfraudalert election2020 donaldjtrump joebiden,United States of America,New York,NY,Joe Biden,0,-0.7\r\n6,10/15/2020,.nbc wth djt cancels the debate and you give him free airtime on the same night as joebiden.  you are rewarding him for doing the wrong thing.  he gets free airtime everyday...his dangerous rally's his random pressers.  stop.  this is wrong at every level.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n7,10/15/2020,.watchabc tonight for joebiden joebidentownhall do not watch anything on any nbc affiliates stations abc abctownhall joebiden,United States of America,New York,NY,Joe Biden,0,-0.7\r\n8,10/15/2020,16th and valencia in sanfrancisco. notice anything yes. kamala\xe2\x80\x99s name is before joebiden. why do you think is that election2020 california usa,United States of America,California,CA,Joe Biden,0,-0.1\r\n9,10/15/2020,2020election biden democrat republican trump hunterbidenemails twitter facebook,United States of America,Tennessee,TN,Joe Biden,2,0\r\n10,10/15/2020,43biden joebiden biden has character and honesty...which never goes out of style. if trump wins and no longer has to worry about future elections it will be too late for trump to all of a sudden be \xe2\x80\x9cmr. honest guy.\xe2\x80\x9dtrump\xe2\x80\x99s character and honesty are a big failure right now when it counts biden,United States of America,New York,NY,Joe Biden,2,0\r\n11,10/15/2020,6. hunterbidenemails bidencrimefamily biden,United States of America,California,CA,Joe Biden,1,0.1\r\n12,10/15/2020,a few \xf0\x9f\x8d\xba\xf0\x9f\x8d\xba\xf0\x9f\x8d\xba and a nbcblackout sound good tonight joebiden votehimout2020,United States of America,Texas,TX,Joe Biden,1,0.5\r\n13,10/15/2020,advice to joebiden i\xe2\x80\x99d reschedule my abc town hall for 1 day after trump\xe2\x80\x99s and play clips of it responding fact checking and refuting all the nonsense. this gives biden uninterrupted &amp; non competitive time to address the nation w/ a ratings boost. townhall nbcboycott,United States of America,California,CA,Joe Biden,0,-0.1\r\n14,10/15/2020,although in all fairness if joebiden managed to accomplish all of that in a month when it took donaldtrump several years to do that i would have to give him credit for being a very active senior thursdaythoughts thursdaywisdom thursdaymorning thursdaymood thursdayvibes,United States of America,New York,NY,Joe Biden,0,-0.1\r\n15,10/15/2020,amazing video amazing joebiden bidenharris2020 vote votebidenharris2020,United States of America,Minnesota,MN,Joe Biden,1,0.9\r\n16,10/15/2020,american2084 \xf0\x9f\x99\x8b\xf0\x9f\x99\x8b\xf0\x9f\x99\x8b yes start boycottnbctownhall boycottnbc boycottmsnbc boycotttrumptownhall boycotttrumponnbc bidentownhall abcnews abc7news vote voteearly votebiden joebiden votebidenharris2020 votebluetoendthisnightmare,United States of America,Maryland,MD,Joe Biden,1,0.1\r\n17,10/15/2020,amyklobuchar i plan to vote early this coming saturday. biden/harris2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Louisiana,LA,Joe Biden,1,0.1\r\n18,10/15/2020,anthonysabatini what why would scully do that it couldn't be there was incriminating evidence on his twitter account that he's joebiden's buttboy right,United States of America,California,CA,Joe Biden,0,-0.6\r\n19,10/15/2020,ap explains trump seizes on dubious biden-ukraine story  from ap biden,United States of America,Idaho,ID,Joe Biden,0,-0.4\r\n20,10/15/2020,apply the same standard with regards to corruption and collusion ya did with realdonaldtrump for these past 3+ years. the amount of evidence pointing to the biden family\xe2\x80\x99s nepotism lies and deceit is unbelievably overwhelming. they must investigate bidenemails,United States of America,New York,NY,Joe Biden,0,-0.5\r\n21,10/15/2020,are the corrupt joebiden and his loser son much different than the rest of dirty dc politicians,United States of America,New York,NY,Joe Biden,0,-0.9\r\n22,10/15/2020,are we going to talk about joebiden and ukraine or pretend donaldtrump is the only shady one jorgensen4potus,United States of America,Indiana,IN,Joe Biden,0,-0.7\r\n23,10/15/2020,arifleischer i think the error was scheming on multiple levels in an attempt to aid joebiden stevescully,United States of America,Alabama,AL,Joe Biden,0,-0.6\r\n24,10/15/2020,as election day draws closer- the \xe2\x80\x9cmud slinging\xe2\x80\x9d will intensify because results overwhelmingly support this long standing political practice. voteearly vpdebate2020 vote election2020 electionday biden trump politica,United States of America,California,CA,Joe Biden,2,0\r\n25,10/15/2020,ask yourself this question \xe2\x80\x9chow did joebiden and the whole biden family become very wealth in 49 years in public service  \xe2\x80\x9c.   thank god tuckercarlson is investigating.  corruptbiden,United States of America,Texas,TX,Joe Biden,2,0\r\n26,10/15/2020,attention no one in my neighborhood has received an absentee ballot election2020 stateofohio ohio biden joewillleadus govmikedewine sensherrodbrown cbsnews,United States of America,Ohio,OH,Joe Biden,0,-0.7\r\n27,10/15/2020,bad barr knows the immense importance of roberts\xe2\x80\x99s political  relationship with robert allen katzmann jesse furman census &amp; ronnie abrams dre &amp; archer and is not telling president trump. dre trump2020 biden foxnews erictrumpsukrainescandal,United States of America,New York,NY,Joe Biden,0,-0.1\r\n28,10/15/2020,beck_amikebeck sexcounseling realdonaldtrump he had 5.5 m donors contributing an average of $44.  what's donaldtrump's numbers for sept  you tell me.  that is a real indication of enthusiasm. not fandom turning up at an airport to scream at a celebrity.  joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n29,10/15/2020,beck_amikebeck sexcounseling realdonaldtrump i listened to trump at his rally.  i hear nothing about my day to day life.  i hear a lot of conspiracy non sense political satire comedy and ratings bait material. i hear no plans no program no vision.  just complaining and cry baby stuff.  sorry.  vote joebiden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n30,10/15/2020,benedict arnold step aside. we have a new prime example for an american traitor joebiden. burisma hunterbiden bidenharris2020,United States of America,Florida,FL,Joe Biden,2,0\r\n31,10/15/2020,benyt most americans will be watching biden on abc. this sounds like the trumpcampaign is trying to lower the bar because they dont think trump will do well. i dont them tho just run the clips of him talking earlier. btw its a townhall where voters ask the questions. boycottnbc,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n32,10/15/2020,bet y\xe2\x80\x99all didn\xe2\x80\x99t know hunterbiden was campaigning for donaldtrump  vote  \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8voteredtosaveamerica2020  joebiden,United States of America,California,CA,Joe Biden,0,-0.5\r\n33,10/15/2020,biden,United States of America,Colorado,CO,Joe Biden,1,0.3\r\n34,10/15/2020,biden  trumps trump any day of the week. watch abc,United States of America,Florida,FL,Joe Biden,2,0\r\n35,10/15/2020,biden -- kamala is bought &amp; bossed. just a raccoon &amp; token. biden's been complicit in poisoning water bombing other nations &amp; deporting at alarming rates while giving corporations handouts.,United States of America,California,CA,Joe Biden,0,-0.4\r\n36,10/15/2020,biden and democrats raised record $383 million in september for white house bid,United States of America,New York,NY,Joe Biden,1,0.5\r\n37,10/15/2020,biden bidencorruption,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n38,10/15/2020,biden bidenharris2020  touching my pussy for joe biden by noramakesporn manyvids,United States of America,California,CA,Joe Biden,1,0.2\r\n39,10/15/2020,biden bidenharrislandslide2020,United States of America,California,CA,Joe Biden,1,0.3\r\n40,10/15/2020,biden got some of his best polls this week. biden polls,United States of America,District of Columbia,DC,Joe Biden,1,0.4\r\n41,10/15/2020,biden hahahahaha,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n42,10/15/2020,biden island right next door to epstein island. all for the enjoyment of kids. animalcrossingnewhorizons biden,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n43,10/15/2020,biden liesafterlies bidenknew bidencrimefamily voteredtosaveamerica \xf0\x9f\x87\xba\xf0\x9f\x87\xb8trumppence2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8bestpresidentever45 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Florida,FL,Joe Biden,1,0.4\r\n44,10/15/2020,biden raises record $383 million in september giving him financial edge over trump,United States of America,Puerto Rico,PR,Joe Biden,2,0\r\n45,10/15/2020,biden still hasn\xe2\x80\x99t faced a single question on sexual assault allegations  joebiden sexualassault tarareade via aliciafixluke,United States of America,Massachusetts,MA,Joe Biden,0,-0.6\r\n46,10/15/2020,biden's irishroots and his mother jean finnegan.,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n47,10/15/2020,bidenharris2020 biden bidenlies,United States of America,Colorado,CO,Joe Biden,1,0.3\r\n48,10/15/2020,bill clinton se re\xc3\xbane en miami con prominentes cubanoamericanos como jorge p\xc3\xa9rez para tender la mano a biden  elecciones,United States of America,Florida,FL,Joe Biden,2,0\r\n49,10/15/2020,billkristol regarding the environment where donaldtrump seeing hoax joebiden sees jobs and avoiding economic chaos. that's a striking message. from the lessons of corona when nature strikes it has enormous economic damage. what's going to happen when its to hot to fly etc.,United States of America,New York,NY,Joe Biden,2,0\r\n50,10/15/2020,blackoutjoe2 redsteeze twittersupport they will be restricting a lot of stories... but only one's involving biden et al.,United States of America,Tennessee,TN,Joe Biden,0,-0.3\r\n51,10/15/2020,bloqueo de twitter me impide leer   directamente la historia de nypost sobre hunterbiden. c\xc3\xb3mo es posible que pase esto en america twittercensorship trump biden election2020  freedom,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n52,10/15/2020,bostonglobe maybe the bostonglobe could stop being a democrat propaganda network and focus on the real news like the hunterbiden biden corruption proof released yesterday and today by the newyorkpost if you want to state something about covid19 then show some facts\xf0\x9f\x91\x87.,United States of America,Massachusetts,MA,Joe Biden,0,-0.7\r\n53,10/15/2020,boycottnbc tonight. watch joebiden on abc instead. dumptrump votebidenharris2020,United States of America,Washington,WA,Joe Biden,2,0\r\n54,10/15/2020,breaking harris will suspend in-person events after 2 staffers tested positive for coronavirus. the campaign said biden had no exposure.,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n55,10/15/2020,breaking the biden campaign halts kamala harris' travel after 2 staffers test positive for coronavirus,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n56,10/15/2020,bretbaier bretbaier  please report transparently and thoroughly on the ny post hunter biden email scandal that is brewing and the strong connection to joebiden...and the media censorship practiced by twitter &amp; facebook in repressing the story.  thank you.,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n57,10/15/2020,bring your shovels people we\xe2\x80\x99ve  got dirt\xf0\x9f\x98\x8e\xf0\x9f\x8e\xa5 election2020  joebiden hunterbiden emailmarketing greed power government,United States of America,New York,NY,Joe Biden,0,-0.8\r\n58,10/15/2020,businessinsider joebiden why don\xe2\x80\x99t you talk about the contracts obama granted ukraine after hunterscrackpipe was appointed as an energy executive \xf0\x9f\x98\x82. 40 years of doing zero. oh yes a bunch of racist remarks. read the facts people. donaldtrump realdonaldtrump,United States of America,New York,NY,Joe Biden,0,-0.3\r\n59,10/15/2020,byjayroot vote julieoliver mjhegar biden is the right choice,United States of America,Texas,TX,Joe Biden,1,0.4\r\n60,10/15/2020,camdens12me arappeport why would mnuchin even think biden would ask him,United States of America,Missouri,MO,Joe Biden,0,-0.7\r\n61,10/15/2020,can you imagine what we would find with a 2 year unlimited budget investigation into joebiden and the rest of the biden family i mean look at what we found with one computer repair man. vote,United States of America,California,CA,Joe Biden,2,0\r\n62,10/15/2020,carlbernstein nbcnews i will be watching biden on abc,United States of America,New York,NY,Joe Biden,0,-0.1\r\n63,10/15/2020,carolinerosegiu joebiden great article i applaud your boldness &amp; colloquial writing style. my niece is part of the lgbtq pride community &amp; i can't imagine what you're going through right now w/supreme court nominee. my early ballot was mailed today votethemallout biden,United States of America,Arizona,AZ,Joe Biden,1,0.1\r\n64,10/15/2020,catturd2 how has the fbi been sitting on this  aren\xe2\x80\x99t they supposed to investigate crimes  who made the decision at the fbi to give hunter and joebiden a pass on this  corruption,United States of America,Utah,UT,Joe Biden,0,-0.8\r\n65,10/15/2020,cecilerichards lavorabarnes realdonaldtrump i\xe2\x80\x99m a suburban woman from michigan and i have cast my ballot for biden. enough of this vulgar buffoon,United States of America,Michigan,MI,Joe Biden,0,-0.4\r\n66,10/15/2020,censorship biden this is your end... your only friend the end...,United States of America,California,CA,Joe Biden,0,-0.5\r\n67,10/15/2020,censorship trump biden,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n68,10/15/2020,charles darwin virtualcomfortdog talking straight. covid was a crisis turned tragedy by trump &amp; the dude hasn\xe2\x80\x99t learned a thing trumpliedpeopledied &amp; i can\xe2\x80\x99t play with my family &amp; friends. joebiden will lead us out of this mess. dogsforbiden votebluetoendthisnightmare,United States of America,Massachusetts,MA,Joe Biden,0,-0.3\r\n69,10/15/2020,charles darwin virtualcomfortdog warning complacency. i\xe2\x80\x99m all in for joebiden &amp; you must be too. we let a cheating lying tv host win in 2016. don\xe2\x80\x99t let it happen again. vote like our lives depend on it. they do planyourvote votebluetoendthisnightmare dogsforbiden hope,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n70,10/15/2020,chicago chicagoscanner spotnews vote trump biden alllivesmatter,United States of America,Illinois,IL,Joe Biden,2,0\r\n71,10/15/2020,chipfranklin joebiden he also have money to a dem super pac. he\xe2\x80\x99s all in with biden,United States of America,California,CA,Joe Biden,1,0.1\r\n72,10/15/2020,christianwalk1r what why would scully do that it couldn't be there was incriminating evidence on his twitter account that he's joebiden's buttboy right,United States of America,California,CA,Joe Biden,0,-0.6\r\n73,10/15/2020,cnn we can skip both we already voted for biden.,United States of America,Louisiana,LA,Joe Biden,0,-0.2\r\n74,10/15/2020,come on man still blocking the link jack bidencrimefamily biden hunterbiden,United States of America,California,CA,Joe Biden,0,-0.7\r\n75,10/15/2020,coronavirus explained simply w/ charts   cdc nih who fauci birx redfield zerohedge mishgea nurses fxstreetnews facebook apple amazon realdonaldtrump biden trump harris penceknew vaccine pandemic virus pbs npr news salon tmz wsj,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n76,10/15/2020,cortessteve just so i understand; biden is indebted to china sorry hong kong your toast russia no leverage on putin so ukrain can have blankets iran has the secrets on bin laden so another trove of cash in the way and dirty in ukraine with john kerry romney and pelosi\xe2\x80\x99s kids. biden,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n77,10/15/2020,corybooker sir if my story stays suppressed re kamalaharris 2013 ca ag inaction islamophobia racist judge verified 5.11.2020 as aunt of gretchenwhitmer hopefully you will call for harris' resignation if joebiden wins per her racialpurging et al hypocrisy,United States of America,California,CA,Joe Biden,0,-0.5\r\n78,10/15/2020,could trumpisnotamerica be less professional. calling biden. sleepy joe is a form of bullying. grow up &amp; stop name calling i understand you don't agree with what the man says but act your age not your shoe size,United States of America,California,CA,Joe Biden,0,-0.6\r\n79,10/15/2020,countryoverparty votebidenharris2020 votebluedownballot biden \xf0\x9f\x91\x87\xf0\x9f\x87\xb5\xf0\x9f\x87\xb7,United States of America,California,CA,Joe Biden,1,0.3\r\n80,10/15/2020,crazy huh lying joe biden has contacted his sons partners in ukraine as the vice president. that\xe2\x80\x99s against the law. joebiden crooked politician making his dead best dad crackhead son millions by pressuring company\xe2\x80\x99s while he was vice president guaranteed obama involved,United States of America,California,CA,Joe Biden,0,-0.8\r\n81,10/15/2020,cruz calls on twitter to clarify censorship of damaging new york post article on hunter biden | the texan texas \xe2\x81\xa6sentedcruz\xe2\x81\xa9 biden,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n82,10/15/2020,cybersecurity biden trump digitalart voteinperson voteearly debatenight,United States of America,California,CA,Joe Biden,2,0\r\n83,10/15/2020,daemonsanddust ha perfect answer to my question  we will all party soon joebiden,United States of America,California,CA,Joe Biden,1,0.9\r\n84,10/15/2020,damaged laptop renews biden ukraine questions  via reviewjournal,United States of America,Nevada,NV,Joe Biden,0,-0.5\r\n85,10/15/2020,davidmweissman realdonaldtrump nypost and he should talk. trumpcrimefamily the most important thing is biden cares about our families. bidenharris2020,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n86,10/15/2020,dbongino no doubt he\xe2\x80\x99s a biden voter,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n87,10/15/2020,dcfegan joebiden yes yes yes yes yes joebiden,United States of America,Virginia,VA,Joe Biden,1,0.6\r\n88,10/15/2020,dear republican/independent voters because of realdonaldtrump's irresponsible reckless dishonest handling of the covid19 crises he failed to protect himself and his family. he is not capable of protecting ours... vote biden coronavirus trump,United States of America,New York,NY,Joe Biden,0,-0.8\r\n89,10/15/2020,democrat matthew trowbridge candidate for state representative was caught trying to have sex with a 14 yr old boy. not shocked he\xe2\x80\x99s a democratic democrats dnc joebiden pedophile trump2020,United States of America,Nevada,NV,Joe Biden,0,-0.4\r\n90,10/15/2020,democrats support joe biden because he molests children. joebiden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n91,10/15/2020,derecho iowa ernst greenfield iowanatguard lee_in_iowa iowaema iowacaregivers iowacare iowafloodcenter iowaflatworks ftdodgepress fortdodgetico fortdodgerealty fortdodgerec biden  donald doesn't care bout us,United States of America,Massachusetts,MA,Joe Biden,0,-0.7\r\n92,10/15/2020,diary of a radio junkie 1790 days of waking up to the news amyconeybarrett scotushearings obamacare aca roevwade pardon supremecourt france macron germany merkel uk borisjohnson italy conte belgium europecovid  covid19 coronavirus biden biden2020 painting,United States of America,New York,NY,Joe Biden,0,-0.3\r\n93,10/15/2020,did the nfl cancel tnf tonight because trump and biden are holding separate town halls on separate dueling networks oh tonight is going to be very very interesting \xf0\x9f\x8f\x88\xf0\x9f\x87\xba\xf0\x9f\x87\xb8nbc abc decision2020,United States of America,Illinois,IL,Joe Biden,1,0.2\r\n94,10/15/2020,digital war has been declared on the gop. how will they respond time will tell. joebidenukrainescandal joebiden endcensorship,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n95,10/15/2020,digitaltransformation biden trump election2020 vote,United States of America,California,CA,Joe Biden,1,0.1\r\n96,10/15/2020,disqualified. withdrawal from the race. joebiden hunterbiden hunterbidenemails biden impeachment election2020 swamp ukraine crackhead,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n97,10/15/2020,do i have any twitter \xe2\x80\x9cfollowers\xe2\x80\x9d who were 2016 trump voters and are voting for biden in 2020 vote,United States of America,Utah,UT,Joe Biden,0,-0.3\r\n98,10/15/2020,do you think there are more americans who are voting for trump but aren\xe2\x80\x99t admitting so publicly or more americans voting for biden who aren\xe2\x80\x99t admitting so publicly i sure hope it's the latter.,United States of America,California,CA,Joe Biden,0,-0.8\r\n99,10/15/2020,donaldjtrumpjr gstephanopoulos for once in 3 years please gstephanopoulos ask the  important question for all of america. will be a travesty if you don't stand up &amp; ask joebiden alot of questions on his influence peddling &amp; potential collusion. you came after pres trump on alleged quidproquo. same for biden,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n100,10/15/2020,donaldtrump is currently trashing nbc. the network that is putting him on tv this evening. and if his ratings don't beat joebiden's he will eviscerate you tomorrow. but you knew that. you just don't care.,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n101,10/15/2020,donwinslow amymcgrathky harrisonjaime joe biden will be our next president. \xf0\x9f\x8c\x8a,United States of America,Maryland,MD,Joe Biden,1,0.4\r\n102,10/15/2020,duelo televisado de trump y biden cada uno en un canal distinto  elecciones2020,United States of America,Florida,FL,Joe Biden,1,0.3\r\n103,10/15/2020,election stress disorder... \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3 election2020 election biden bidenharris biden2020 trump trumppence trump2020 explorerpage socialdistancing lifestyle live love debate presidentialelection presidenttrump presidentbiden presidential president vicepresident,United States of America,California,CA,Joe Biden,2,0\r\n104,10/15/2020,electionday is about future of asia biden never utters a word about china and standing with taiwan,United States of America,California,CA,Joe Biden,2,0\r\n105,10/15/2020,en vogue free your mind america imagine being able to sleep in peace and trust that america is in the hands of adults. we need to free our minds of this trump cancer. vote biden votebiden bidenharristosaveamerica biden votehimout,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n106,10/15/2020,every time i see one of these articles i just pop over and donate a couple more bucks to harrisonjaime. fight gopcorruptionovercountry \xf0\x9f\x91\x89  acbhearings biden,United States of America,Washington,WA,Joe Biden,2,0\r\n107,10/15/2020,everyone i found an old iphone in the trash that was trumps and it has texts between him and putin i\xe2\x80\x99ll release some pathetically bad photoshops later biden burisma hunterbiden,United States of America,Colorado,CO,Joe Biden,0,-0.3\r\n108,10/15/2020,facebook and twitter censor biden bombshells weeks after execs join his transition team biden trump censorship,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n109,10/15/2020,facts africanacarr afrostateofmind karenhunter drewmccaskill claycane sxmurbanview drjasonjohnson amyconeybarrett vote logotv hrc voteearly msnbc cnn theview thereidout covid19 karenrebels blacktwitte joebiden projectlincoln,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n110,10/15/2020,fantastic schadenfreude 2 see white lib \xe2\x80\x98resistance\xe2\x80\x99 suddenly turned neocon neolib 4 segregationist joebiden squirm hunterbidenemails nypost + fascist libertarians having conniptions over facebook twittercensorship where were u all when palestinians venezuelans were censored,United States of America,New York,NY,Joe Biden,1,0.1\r\n111,10/15/2020,fbi newyorkfbi joebiden facebook twitter senkamalaharris cnn msnbc foxnews what did the fbi do with hunter biden\xe2\x80\x99s laptop when it was turned over to them we need answers. twitter and facebook should lose all protections immediately.,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n112,10/15/2020,fellow georgians let\xe2\x80\x99s not take these polls as truths; we need to vote joebiden and votebluedownballot to drain the swamp trump created/filled. please get out and vote,United States of America,Georgia,GA,Joe Biden,0,-0.5\r\n113,10/15/2020,for those of you who couldn\xe2\x80\x99t read nypost story on twitter thanks to china communist party censorship by jack vijaya kayvz here is the actual photo of creep joebiden\xe2\x80\x99s favorite creep hunterbiden.,United States of America,California,CA,Joe Biden,0,-0.8\r\n114,10/15/2020,for... biden...,United States of America,California,CA,Joe Biden,1,0.2\r\n115,10/15/2020,glenn beck joebiden is a descendant of slave owners video \xe2\x8b\x86 the washington sentinel.,United States of America,North Carolina,NC,Joe Biden,0,-0.7\r\n116,10/15/2020,glennkesslerwp  nice try too bad the phone calls have been leaked washingtonpost joebiden hunterbiden,United States of America,California,CA,Joe Biden,0,-0.4\r\n117,10/15/2020,go back to the good ole days of segregation.... vote racism supremecourt foxnews breakingnews news trump america biden 2020election judgeout racist,United States of America,Illinois,IL,Joe Biden,0,-0.6\r\n118,10/15/2020,gosh joebiden sure has changed since then.... justice thomas,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n119,10/15/2020,hamillhimself funder he sure is  his presssec is a close second  trumpsthebiggestliar and. byekayleigh  we all know that votebidenharris2020 will win the popular vote but no one can get complacent and we have to make sure biden gets enough electoral votes,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n120,10/15/2020,hanging with my favorite fictional administration to support my favorite hopeful real one westwing biden,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n121,10/15/2020,happening today -- presidenttrump and challenger joebiden will compete for tv audiences in dueling town halls instead of meeting face-to-face for their second debate as originally planned.  presidentialelection,United States of America,Tennessee,TN,Joe Biden,1,0.1\r\n122,10/15/2020,has anyone fact checked whether streaming a biden or trump town hall tonight on multiple devices from home actually bumps up the ratings brianstelter i can't find a clear answer online.,United States of America,New York,NY,Joe Biden,0,-0.5\r\n123,10/15/2020,have you seen the clip of biden calling someone at his campaign rally \xe2\x80\x9cfat\xe2\x80\x9d and \xe2\x80\x9ca damn liar\xe2\x80\x9d in front of the whole crowd after asking a question december in ia. such a nice guy though bidenharris2020,United States of America,Texas,TX,Joe Biden,2,0\r\n124,10/15/2020,have you seen this interview about sealteam6 joebiden and benghazi,United States of America,Texas,TX,Joe Biden,2,0\r\n125,10/15/2020,he'd be alive if he wasn't living in a democrat run city in a democrat state doomed to a life of drugs violent crime and using counterfeit money. georgefloyd biden lies perpetuate violence.,United States of America,California,CA,Joe Biden,0,-0.7\r\n126,10/15/2020,hey cnn nbc and bbc did joebiden use his son to harvest bribes by bad actor states throughout the world just like a third world dictator is this  how a career politician becomes a multimillionaire with multiple lavish homes we need answers before nov 3.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n127,10/15/2020,hey mountvernon how did george washington speak to during his 1st presidential campaignin general terms.  election2020 debates2020 biden,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n128,10/15/2020,hey nbcnews looks like he's calling you fakenews after you rolled out the red carpet for him. looks like those next- to-nothing ratings tonight are gonna sting even more. watching biden on abc instead,United States of America,Oregon,OR,Joe Biden,0,-0.7\r\n129,10/15/2020,honestly there\xe2\x80\x99s plenty to address when it comes to hunterbiden &amp; his dealings so let\xe2\x80\x99s stop the ad hominem attacks about his struggle with addiction &amp; let\xe2\x80\x99s stop posting photos of him in compromising situations only meant to smear him personally not politically. biden,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n130,10/15/2020,how joe biden \xe2\x80\x94 yes joe biden \xe2\x80\x94 could revolutionize american politics buildbackbetter joebiden voteearly,United States of America,North Carolina,NC,Joe Biden,0,-0.1\r\n131,10/15/2020,how joebiden became the unlikeliest of online fund-raising superstars,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n132,10/15/2020,how will joebiden affect your smallbiz  photo courtesy biden campaign via usatodaymoney,United States of America,California,CA,Joe Biden,0,-0.3\r\n133,10/15/2020,hubby and i voted today 35 minutes total in north memphis. make a plan and just do it vote kamalaharris joebiden drbiden joewillleadus joebiden biden2020 vote bidenharris2020 how do you like my after polls masks,United States of America,Tennessee,TN,Joe Biden,0,-0.1\r\n134,10/15/2020,hunterbiden hunterbidenemails joebiden teamtrump donaldtrump donaldtrumpjr trump2020landslide trump2020 jackdorsey facebook censorship2020 russia china big tech protecting fragile joe biden who is weak &amp; is in ill health please retweet this patriots patriotsunite,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n135,10/15/2020,hunterbiden hunterbidenemails joebiden teamtrump donaldtrump donaldtrumpjr trump2020landslide trump2020 jackdorsey facebook censorship2020 russia china big tech protecting fragile joe biden who is weak &amp; is in ill health please retweet this patriots patriotsunite,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n136,10/15/2020,hunterbiden was selling joebiden joebiden hunterbidenemails democratsaredestroyingamerica,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n137,10/15/2020,i am going to break protocol tonight and actually watch the biden town hall on my local abc affiliate which is a sinclair station. i never put that station on dc. i will also livestream it on all my electronic devices vote votebidenharris2020 bidentownhall abc biden,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n138,10/15/2020,i can\xe2\x80\x99t wait to vote for joebiden,United States of America,Rhode Island,RI,Joe Biden,1,0.9\r\n139,10/15/2020,i just published surfing on a wave of rage  trump biden antifa blm election2020 uspoli,United States of America,California,CA,Joe Biden,0,-0.3\r\n140,10/15/2020,i just voted in nc for joebiden and kamalaharris and calfornc  roy cooper and my favorite a district judge named ty hands. god it feels good . there were close to 60% african american . let\xe2\x80\x99s do this nc,United States of America,North Carolina,NC,Joe Biden,1,0.4\r\n141,10/15/2020,i lived in ukraine for three years and followed their political administration since yushschenko. hit me up if you want a 3 minute breakdown about why the hunter biden story is absolute misinformation.,United States of America,California,CA,Joe Biden,0,-0.6\r\n142,10/15/2020,i love her votehimout votebidenharris2020  biden,United States of America,California,CA,Joe Biden,1,0.9\r\n143,10/15/2020,i realize i post late at night and the day walkers never got a chance to see my gritty votebidenharris2020 banner lol pennsylvania this election matters biden has a plan to beat covid19 trump has a plan to spend your tax dollars and take away our healthcare. voteblue2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n144,10/15/2020,i really hope abc moves joebiden  townhall to 9pm instead of 8,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n145,10/15/2020,i saw joebiden eating a blizzard on his instagram so i went to dairyqueen to get a blizzard joebiden nationaldessertday ontuesdayvoteblue votethemeangirlout,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n146,10/15/2020,i still want joebiden to answer how while he was vpotus his unqualified son got a lucrative job in a country biden was actively dealing with.,United States of America,Oklahoma,OK,Joe Biden,0,-0.3\r\n147,10/15/2020,i think it\xe2\x80\x99s ridiculous that donaldtrump decided to have a damn town hall same time and night as joebiden. so trump is too scared to debate biden but not to try and compete w/ biden on \xf0\x9f\x93\xba  theview,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n148,10/15/2020,i think this is the biden students...barely passing. or maybe their idol is hirono or harris or booker or blumenthal or durbin or whitehouse or feinstein. dimdems senatedems termlimits,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n149,10/15/2020,i voted vote vote2020 joebiden kamalaharris,United States of America,Pennsylvania,PA,Joe Biden,1,0.4\r\n150,10/15/2020,i will tune in to abc \xe2\x80\x98s  joebiden town hall...if only to take ratings away from this fiend.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n151,10/15/2020,i'm not touching that. exactly what i thought kamalaharris would say to maddow question is she as mad as everyone else that msnbc hosting trump town hall same time as biden's abc forum at least rachel is reading our furious tweets. firechucktodd kamalaharris joebiden,United States of America,California,CA,Joe Biden,0,-0.3\r\n152,10/15/2020,i've turned off morningjoe. this is the same garbage they did 4 years ago that got us this pos in the first place. and cancelmsnbc and cancelnbcnews...letting thehackchucktodd put together a town hall with trump to run directly against biden.,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n153,10/15/2020,icecube thanks for standing up against these filthy deep state crooked liberal socialists who will destroy every life in america. opportunities for jobs education and all else will decrease for all races under joebiden. you didn\xe2\x80\x99t fall for his \xe2\x80\x9cyou ain\xe2\x80\x99t black if you don\xe2\x80\x99t vote for me\xe2\x80\x9d,United States of America,New York,NY,Joe Biden,0,-0.6\r\n154,10/15/2020,icecube when you created your plan did you not want to include black women and children or did you create the plan knowing trump doesn\xe2\x80\x99t care about either. at least biden had actual black people/economists write an inclusive logical plan for our community. and it wasn\xe2\x80\x99t for sale.,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n155,10/15/2020,if biden wins he is sure to be impeached. election2020,United States of America,Texas,TX,Joe Biden,1,0.1\r\n156,10/15/2020,if seeing how big tech handled the new york post article on biden doesn\xe2\x80\x99t convince you how dishonest these platforms are what will,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n157,10/15/2020,imagine being joe biden and not only having to deal with your own shady past but your fuck-up sons shady past and present. imagine how obama feels.  democrat corruption blacksheep joebiden joebidenknew obamafacepalm,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n158,10/15/2020,in the midst of a recession the economy is on the minds of most voters. curious about how trump and biden economic plans would differ wustlbusiness experts weigh in. election2020,United States of America,Missouri,MO,Joe Biden,0,-0.1\r\n159,10/15/2020,inside joe biden\xe2\x80\x99s \xe2\x80\x98house divided\xe2\x80\x99 who really owns the house  via palestinechron,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n160,10/15/2020,interesting surprised they admit there is a possibility they met. that means they know they know what\xe2\x80\x99s coming hunterbiden joebiden election2020 censorship electioninterference,United States of America,Nevada,NV,Joe Biden,2,0\r\n161,10/15/2020,interesting... giuliani\xe2\x80\x99s daughter wrote a piece in support of joebiden. wonder how her dad took that  thereidout,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n162,10/15/2020,is this a metaphor for joebiden askingforafriend,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n163,10/15/2020,it's the way it goes but the democrats/joebiden do 10 times worse than the things they can't even prove complaining against trump yet they just bury their heads in the sand and all recite the communist party line like labotomized \xf0\x9f\x90\x91 sheep \xf0\x9f\x90\x91,United States of America,Arizona,AZ,Joe Biden,0,-0.8\r\n164,10/15/2020,i\xe2\x80\x99m not going to tell you go vote i\xe2\x80\x99m just going to ask you how you don\xe2\x80\x99t think 4 more years of trump can\xe2\x80\x99t be more detrimental than biden,United States of America,Washington,WA,Joe Biden,0,-0.9\r\n165,10/15/2020,jack dorsey has countless victims of every gender all of them crime jack dorsey dorsey twitter biden,United States of America,Michigan,MI,Joe Biden,0,-0.6\r\n166,10/15/2020,jack nypost hunter biden trump freeassange wikileaks,United States of America,New York,NY,Joe Biden,2,0\r\n167,10/15/2020,jasmine masters jush l\xf0\x9f\x91\x80k at fab voting in 2020 \xf0\x9f\x97\xb3 biden bidenharris,United States of America,California,CA,Joe Biden,1,0.6\r\n168,10/15/2020,jesus you guys are a joke.  joebiden  is on video bragging about withholding $1b  from ukraine until the guy was fired. politicalhacks,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n169,10/15/2020,joe's the guy joebiden,United States of America,California,CA,Joe Biden,1,0.5\r\n170,10/15/2020,joebiden at minimum you were asked by your son to meet with a representative of a company your son was being paid a substantial monthly sum.  since you denied any knowledge of your son's activities you lied to america.,United States of America,California,CA,Joe Biden,0,-0.7\r\n171,10/15/2020,joebiden describing direction ull take our economy especially the middle class i see \xf0\x9f\x93\x89 biden vote democrats joebidentownhall ask him why he panders to get minority votes then forgets about them,United States of America,New York,NY,Joe Biden,0,-0.8\r\n172,10/15/2020,joebiden did not do any bad things for ukraine. president drumpf did because he was impeached,United States of America,New York,NY,Joe Biden,1,0.1\r\n173,10/15/2020,joebiden doesn't have to plead innocent in the hunterbidenemails scandal. he has the msm to do that.,United States of America,Alabama,AL,Joe Biden,0,-0.2\r\n174,10/15/2020,joebiden he died of a drug overdose. your open border policy murders thousands of americans from drugs. crime murder biden,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n175,10/15/2020,joebiden i bet if we give joebiden four more years in office he's going to solve all our problems after failing to do so in his 47 year career.  nah but he'll at least double his net worth. nothing wrong with that.,United States of America,Texas,TX,Joe Biden,1,0.1\r\n176,10/15/2020,joebiden joebidenukrainescandal,United States of America,New York,NY,Joe Biden,1,0.3\r\n177,10/15/2020,joebiden joebidenukrainescandal,United States of America,Oklahoma,OK,Joe Biden,1,0.3\r\n178,10/15/2020,joebiden joebidenukrainescandal,United States of America,Oklahoma,OK,Joe Biden,1,0.3\r\n179,10/15/2020,joebiden quotes irishpoet seamusheaney,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n180,10/15/2020,joebiden votebiden biden2020,United States of America,Florida,FL,Joe Biden,1,0.3\r\n181,10/15/2020,joebiden who\xe2\x80\x99s the dog face pony soldier now  whereshunter \xf0\x9f\x96\x95\xf0\x9f\x8f\xbd\xf0\x9f\x96\x95\xf0\x9f\x8f\xbe\xf0\x9f\x96\x95\xf0\x9f\x8f\xbb joebiden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Ohio,OH,Joe Biden,2,0\r\n182,10/15/2020,joebiden wow  this is amazing.  i guess joebiden has the enthusiasm in all the right places  teamtrump must be shitting bricks right about now this is a record,United States of America,New York,NY,Joe Biden,1,0.3\r\n183,10/15/2020,joebiden you\xe2\x80\x99re in big trouble joe trump2020 trump joebiden bidenharris 4moreyears joebidenisaliar,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n184,10/15/2020,joebiden's tv ads show him w popefrancis or reading from a pulpit bowing his head in prayer or standing in front of church\xe2\x80\x99s stained-glass window. a radio spot features a parishioner from his home church talking abt how he is a regular  sunday mass.,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n185,10/15/2020,johncornyn nypost vote biden,United States of America,California,CA,Joe Biden,1,0.2\r\n186,10/15/2020,joyannreid nicolledwallace maddow joyreid nicollewallace rachelmaddow. time to out your money where you mouth is vocally reject nbc networks for broadcasting trump town hall opposite of biden. boycottnbc boycotttrumptownhall,United States of America,Illinois,IL,Joe Biden,2,0\r\n187,10/15/2020,jrubinblogger hunterbiden is fantasy harris harris mistake about abe lincoln and his judge nomination is a fantasy biden gaffing is fantasy,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n188,10/15/2020,just in another coronavirus test for joebiden another negative result. he has been consistently negative. covid19,United States of America,California,CA,Joe Biden,0,-0.2\r\n189,10/15/2020,just in biden campaign \xe2\x80\x9ctwo individuals involved in the campaign tested positive for covid-19 \xc2\xa0a non-staff flight crew member and liz allen communications director to senator harris. senator harris was not in close contact as defined by the cdc...\xe2\x80\x9d ny1 spectrumnewsdc 1/3,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n190,10/15/2020,just received a strange trump ad about bidden...quotes mayaangelou &amp; calls biden a racist say cory booker called him 'architech of mass incarceration.'  wow  pot calling kettle 'brown' mikelholt,United States of America,Wisconsin,WI,Joe Biden,0,-0.2\r\n191,10/15/2020,kamalaharris last night i learned that the bidencrimefamily engaged in exactly what you accused/impeached trump for joebidenukrainescandal biden bidentownhall hunterbidenemails democratsarecorrupt kag2020 finishthejob,United States of America,Nevada,NV,Joe Biden,1,0.1\r\n192,10/15/2020,kamalaharris maddow fakenews they are scared you and joebiden will pack the supreme court.  you would think after all those years with willie brown would have made you a better liar kamala...,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n193,10/15/2020,kare11 can\xe2\x80\x99t hide anymore joey... busted.  joebidenisunfitforpresident joebideniscorrupt joebiden hunterbiden,United States of America,Minnesota,MN,Joe Biden,0,-0.2\r\n194,10/15/2020,kelemencari i guess that photo of hunterbiden with a glass dck hanging out of his face is false to right if it was false the fbi wouldn\xe2\x80\x99t have been notified and usattorneysoffice wouldn\xe2\x80\x99t be investigating. joebiden newyorkpost,United States of America,Hawaii,HI,Joe Biden,0,-0.2\r\n195,10/15/2020,kind of interesting that twitterdown happens on the heels of this publisher censoring links to a verified news outlet because it alleges to expose hunterbiden and joebiden.  and it happens after tedcruz and lindseygrahamsc decide they've  had enough of the bias.  hmmm,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n196,10/15/2020,ksorbs after today when they linked biden to his sons business while vice president he paid off a prosecutor in another country to drop charges sorry but yeah he\xe2\x80\x99s dead democrats,United States of America,Oklahoma,OK,Joe Biden,0,-0.7\r\n197,10/15/2020,ktla please report the truth it is joebiden that canceled the presidentialdebate2020 tonight not realdonaldtrump  potus wanted to do it in person and joebiden did not please and report accurately. maga,United States of America,California,CA,Joe Biden,0,-0.2\r\n198,10/15/2020,kyledcheney hunterbiden hunterbidenemails joebiden teamtrump donaldtrump donaldtrumpjr trump2020landslide trump2020 jackdorsey facebook censorship2020 russia china big tech protecting fragile joe biden who is weak &amp; is in ill health please retweet this patriots patriotsunite,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n199,10/15/2020,latest sen. kamala harris is suspending all travel until monday after 2 people associated with the campaign tested positive for covid-19. this follows campaign event in arizona last week. campaign biden had no exposure.,United States of America,Arizona,AZ,Joe Biden,0,-0.2\r\n200,10/15/2020,let\xe2\x80\x99s put a proverbial dagger in the heart of the devil himself realdonaldtrump. vote votehimout2020 votebiden votebluetoendthisnightmare joewillleadus votebidenharris joebiden kamalaharris,United States of America,Wisconsin,WI,Joe Biden,0,-0.1\r\n201,10/15/2020,lol. newspaper owned by known leftist agrees leftist politician did nothing wrong. ever. shocking biden ukraine,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n202,10/15/2020,look at twitter re hunterbiden &amp; joebiden \xf0\x9f\xa4\xa8. a disgrace,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n203,10/15/2020,ltdforever1 thatgirl0070 oh biden my friend you have it all wrong you do work for us trump2020landslide,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n204,10/15/2020,lyin  biden,United States of America,California,CA,Joe Biden,1,0.3\r\n205,10/15/2020,malcolm_flex48 the fact that social media companies are willing and able to \xe2\x80\x9ccrack down\xe2\x80\x9d on people reporting facts about biden\xe2\x80\x99smethaddictedson should tell you everything,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n206,10/15/2020,malcolmx called lbj the fox &amp; barry goldwater the wolf in 1964; if he were alive today malcolm would doubtless call joebiden the fox &amp; donaldtrump the wolf of 2020; we need a progressive alternative to the two parties of the wallstreet oligarchy~,United States of America,New York,NY,Joe Biden,2,0\r\n207,10/15/2020,manhattan_liz i voted today for joebiden in washington state.,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n208,10/15/2020,markharrisnyc they'll use the honor system when he refuses a covid test before entering their studio. keep him the hell away from biden,United States of America,New York,NY,Joe Biden,0,-0.6\r\n209,10/15/2020,marklevinshow is there any doubt that facebook twitter &amp; google have \xe2\x80\x9cprotected\xe2\x80\x9d their users from uncomfortable facts &amp; inconvenient information about biden how many millions of voters will they sway how much is their censorship worth to the dnc biden how will they be repaid bigtech,United States of America,California,CA,Joe Biden,0,-0.9\r\n210,10/15/2020,miss me yet trump dictatortrump votethemallout biden,United States of America,California,CA,Joe Biden,1,0.3\r\n211,10/15/2020,mitchellreports we already know what we\xe2\x80\x99re gonna get.  joebiden is the better bet on abc,United States of America,Indiana,IN,Joe Biden,2,0\r\n212,10/15/2020,more than one hundred prominent actors writers and producers are protesting nbcnews decision to carry a town hall meeting with presidenttrump on thursday night opposite a previously scheduled joebiden town hall on rival abcnews  via wsj,United States of America,Washington,WA,Joe Biden,0,-0.4\r\n213,10/15/2020,multi champion president momaga6 farmerpigs magaforjustice nickgur63042303 nickgurs5 trump2020 maga biden hunterbiden,United States of America,Michigan,MI,Joe Biden,1,0.1\r\n214,10/15/2020,mviser has joebiden come out of hiding to make a statement about hunter yet were kamala\xe2\x80\x99s crew wearing masks and keeping social distance,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n215,10/15/2020,my take with most politicians is there seems to be a level of comfortability with lying and deception.  in spite of that we still give them money for their elections.  joebiden sociopath ukraine emails hunterbiden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n216,10/15/2020,my timeout is over. so back to hunterbiden being a pos and joebiden knowing about it all.,United States of America,California,CA,Joe Biden,0,-0.6\r\n217,10/15/2020,nah no evidence joebiden met with hunterbiden and his ukrainian payola partners ... read it all at thenewyorkpost website.,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n218,10/15/2020,nbc schedules last-minute trump town hall\xe2\x80\x94the same time joe biden is hosting his own  via vanityfair media politics election2020 townhalls trump biden nbcnews abcnews,United States of America,New York,NY,Joe Biden,0,-0.2\r\n219,10/15/2020,nbc tell us about the lies of  joebiden. report that \xe2\x80\x98growing body of evidence.\xe2\x80\x99  hunterbidenemails,United States of America,New York,NY,Joe Biden,0,-0.1\r\n220,10/15/2020,nbcblackout count me in on being out. \xf0\x9f\x93\xba please rt trumpisnotamerica trump biden debate townhall nbcistrumpsaccomplice bidenharrislandslide2020 bidenharris2020tosaveamerica,United States of America,California,CA,Joe Biden,2,0\r\n221,10/15/2020,nbcblackout i\xe2\x80\x99ll be watching joebiden  i can see what idiotic stuff realdonaldtrump does later joebiden bidencares bidenharris2020,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n222,10/15/2020,nbcblackout let\xe2\x80\x99s be clear chucktodd did not do this for the american voters. it was done just to try and help trump and for todd\xe2\x80\x99s own ego. enjoy your night nbcnews right now watching cnn before i watch biden on abc,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n223,10/15/2020,nbcnewspr nbcnews no time for that windbag of a clown.  i will watch the mar-a-lago trials once he is out of office bidentownhall biden,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n224,10/15/2020,newark nj hiphop rebeldiaz rodstarz revolution militant chile bronx bx nyc chi chitown rdacbx blm essex union hudson jersey newjersey covid harris pence biden trump homesforall peopleoverprofit developmentwithoutdisplacement humanneednotlandlordgreed,United States of America,New Jersey,NJ,Joe Biden,1,0.3\r\n225,10/15/2020,newyorkpost bombshell on biden peddles fake russian conspiracy theory.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.7\r\n226,10/15/2020,no problem. if twitter won\xe2\x80\x99t let me post the article i\xe2\x80\x99ll post pictures of it corruptbiden corruption democrats hypocrisy trump biden joebiden hunterbiden bidencrimefamily joebidenisaliar joebidenissick  usa ukrainegate maga democrat democratsaredestroyingamerica,United States of America,New York,NY,Joe Biden,2,0\r\n227,10/15/2020,no way this is happening. this is \xe2\x80\x9cmexico is going to pay for the wall\xe2\x80\x9d all over again. we need a covid__19 relief package. biden will handle it if trump won\xe2\x80\x99t.,United States of America,North Carolina,NC,Joe Biden,0,-0.4\r\n228,10/15/2020,nothing screams white privilege like hunter biden. hunterbiden hunterbidenemails hunterbidencrackpipe joebiden,United States of America,California,CA,Joe Biden,2,0\r\n229,10/15/2020,notmypresident bluewave2020 theresistance flipitblue antitrump unfitforoffice   ruleoflaw deathofdemocracy joebiden2020 joe2020 joebiden bidenharris2020,United States of America,New York,NY,Joe Biden,1,0.4\r\n230,10/15/2020,now is the time nbcnews to cancel on the narcissist and simulcast biden with abc tonight. history can be unkind.,United States of America,California,CA,Joe Biden,0,-0.6\r\n231,10/15/2020,now we know why joebiden  never wanted to talk to actual reporters  it simply take questions. he was hiding from all this and his lies for decades. he's running for president to try and wash it all away. oops failed,United States of America,New York,NY,Joe Biden,0,-0.8\r\n232,10/15/2020,nypost hunterbiden joebiden,United States of America,Florida,FL,Joe Biden,1,0.3\r\n233,10/15/2020,ofirahy cnn is not fake news. it's real media. we had to vote for real change and to change presidents. joebiden bidentownhall bidentownhallonabc votehimout votehimoutandlockhimup votebidenharris2020 \xf0\x9f\x97\xb3 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 \xf0\x9f\x8c\x8e votebidenharristoendthisnightmare,United States of America,Maryland,MD,Joe Biden,2,0\r\n234,10/15/2020,oh fly boy. i thought you were doing a shitty job with the coronavirus last week. now everything is up up up. more dead americans on your and donnie\xe2\x80\x99s watch. one term for you as well. one too many. biden bluetsunami2020,United States of America,California,CA,Joe Biden,0,-0.1\r\n235,10/15/2020,ok i must now admit it joebiden could literally stand in the middle of 5th ave. and shoot someone and i would still vote for him. 2020election joebiden trumpisbroke trumpwithdrawnow trumplied200kdied,United States of America,California,CA,Joe Biden,2,0\r\n236,10/15/2020,one reason to vote for joe biden is you will never have to see or hear from rudy giuliani ever again - the biggest sole seller in the universe,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n237,10/15/2020,onepeacespoon funder realdonaldtrump is a liar who doesn\xe2\x80\x99t give a rats ass about his kids except iranka who he want to bonk bet he\xe2\x80\x99s never hugged any of his other kids. jealous of biden\xe2\x80\x99s close family ties so he makes up fake comments to try to discredit a humane person. votebluetosaveamerica,United States of America,New York,NY,Joe Biden,0,-0.5\r\n238,10/15/2020,pamplin media group - mayoral aspirants hit each other over campaign quotes  portlandprotests portlandriots pdx oregon tedwheeler portland sarahiannarone antifa trump biden portlandpolice orpol,United States of America,Oregon,OR,Joe Biden,0,-0.7\r\n239,10/15/2020,people are already tweeting about ratings for tomorrow night. well i have news for you. the town hall ratings don't matter. to anyone but donaldtrump that is. what matters is your vote. so voteblue joebiden kamalaharris bidenharris2020.,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n240,10/15/2020,people are casting their ballots early where they can and they're also voting with their dollars\xc2\xa0 joe biden announced that he raised $383 million in september alone.    trump rudy joebiden scotus wellsfargo dexter thebeatles,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n241,10/15/2020,please ryan votebluelivegreen i was angry in 2016 i watched the ds in nevada i felt cheated i voted green the results are obscene do you have solar\xf0\x9f\x8c\x9eon your home  do you drive an ev work on getting greenpolicies &amp; medicareforall biden listentobernie  i'm pleading,United States of America,Arizona,AZ,Joe Biden,0,-0.8\r\n242,10/15/2020,politics_polls nbcnews wsj my husband has lost a lot of friends by voting for joe biden.,United States of America,Maryland,MD,Joe Biden,0,-0.7\r\n243,10/15/2020,potentially harmful to a certain brain-dead placeholder for a potential kamala harris presidency. biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n244,10/15/2020,potus pull out of debating biden. i watch maddow arimelber joyannreid daily but i'll protest msnbc 4 a while if nbc gives him townhall after he quit &amp; competes w/ abc bidentownhall forcing voters 2 chose rather than hear both candidates. shame on nbcnews. unethical,United States of America,Georgia,GA,Joe Biden,0,-0.7\r\n245,10/15/2020,president trump criticized a decision by facebook and twitter to limit the distribution of a nypost story about joebiden and hunterbiden and called for a repeal of section230.,United States of America,New York,NY,Joe Biden,0,-0.5\r\n246,10/15/2020,presidenttrump and joebiden both have their eye on one very large group of voters americans living in the suburbs.,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n247,10/15/2020,presssec just so you know i voted for joebiden... and fired your boss. good luck getting a new job.,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n248,10/15/2020,projectlincoln according to vanityfair his daughter is supporting joebiden,United States of America,Ohio,OH,Joe Biden,2,0\r\n249,10/15/2020,realdonaldtrump donaldjtrumpjr    you lost again boys  trumpcrimefamilyforprison  trumplied200kdied biden  bidenharris2020  bidenharris2020tosaveamerica,United States of America,California,CA,Joe Biden,0,-0.8\r\n250,10/15/2020,realdonaldtrump every one of these statements is a lie unless you make more than 400k and is designed to stoke fear and divisiveness. i hope the majority of americans are smart enough to recognize these lies. votehimout lieafterlie trump biden,United States of America,Utah,UT,Joe Biden,0,-0.5\r\n251,10/15/2020,realdonaldtrump hahahahahah  we see right through this shit now. bye don biden,United States of America,California,CA,Joe Biden,0,-0.6\r\n252,10/15/2020,realdonaldtrump he done deal.. he bout to disqualify awready ready joebiden talk\xe2\x80\x99s like cmshehbaz \xf0\x9f\x91\x88like him. i can\xe2\x80\x99t \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n253,10/15/2020,realdonaldtrump ivotedbidenharris votebidenharris2020 vote joebiden,United States of America,Michigan,MI,Joe Biden,1,0.2\r\n254,10/15/2020,realdonaldtrump just so you know... i voted for joebiden and kamalaharris yesterday.... and fired your 'arse.,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n255,10/15/2020,realdonaldtrump nbcnews cspan omg u worry too much and so weird. republicans for biden they\xe2\x80\x99re right about u. oops,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n256,10/15/2020,realdonaldtrump the only thing i would do is make sure that trumpsters don\xe2\x80\x99t cause any trouble when biden wins,United States of America,California,CA,Joe Biden,1,0.2\r\n257,10/15/2020,realdonaldtrump the reason almost no one in calif is voting for trump is because calif is a state that believes in tolerance compassion for fellow human beings and doesn\xe2\x80\x99t ignore international challenges including climate change. that\xe2\x80\x99s what we have to lose with trump. biden climatechange,United States of America,California,CA,Joe Biden,0,-0.1\r\n258,10/15/2020,realdonaldtrump well i\xe2\x80\x99m voting for america so joebiden kamalaharrisvp,United States of America,California,CA,Joe Biden,1,0.4\r\n259,10/15/2020,redwinggrips how has the fbi been sitting on this  aren\xe2\x80\x99t they supposed to investigate crimes  who made the decision at the fbi to give hunter and joebiden a pass on this  corruption,United States of America,Utah,UT,Joe Biden,0,-0.8\r\n260,10/15/2020,residents shelbyville tennessee on edge after kkk propaganda was found scattered in the yards of homes with political signs expressing support for joe biden.,United States of America,Tennessee,TN,Joe Biden,0,-0.5\r\n261,10/15/2020,rosemcgowan 60minutesaus so does kamalaharris. she firmly believes joebiden is a sexual predator and publicly stated as much... only months before becoming his running partner. democrats biden,United States of America,South Carolina,SC,Joe Biden,0,-0.1\r\n262,10/15/2020,rt survey shows why 2020\xe2\x80\x99s \xe2\x80\x98election day\xe2\x80\x99 might turn into \xe2\x80\x98election week\xe2\x80\x99  counting a record number of mail-in votes could turn an early trump lead into an eventual biden win election2020,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n263,10/15/2020,rudygiuliani is my father. please everyone vote for joebiden and kamalaharris.  via vanityfair,United States of America,New York,NY,Joe Biden,1,0.1\r\n264,10/15/2020,rudygiuliani is my father. please everyone vote for joebiden and kamalaharris.  via vanityfair,United States of America,New York,NY,Joe Biden,1,0.1\r\n265,10/15/2020,rupert murdoch predicts a landslide win for biden,United States of America,Florida,FL,Joe Biden,1,0.1\r\n266,10/15/2020,sarahpalinusa first of all that would never be as you have zero dignity and biden does. when will you get it americancitizens don't care about your opinion.,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n267,10/15/2020,savagejoymarie1 \xe2\x80\x9cbernie\xe2\x80\x99s movement\xe2\x80\x9d died as soon as he did a 180 and started campaigning for biden.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n268,10/15/2020,savannah guthrie is a maga. here she is with that horrible kid from covington that made fun of the elderly indigenous man. and to tonight she\xe2\x80\x99s with king maga. boycottnbc tonight. don\xe2\x80\x99t watch trump. watch joebiden on abc,United States of America,California,CA,Joe Biden,0,-0.3\r\n269,10/15/2020,scottcrates looking forward to listening to everything that joebiden has to say,United States of America,Ohio,OH,Joe Biden,1,0.7\r\n270,10/15/2020,scrowder yeah right deflect and divert... that's the realdonaldtrump way... right now biden could take a big poop on the white house lawn and still get elected byetrump,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n271,10/15/2020,seguidores de biden lo esperan en tamiami park para evento de campa\xc3\xb1a joebiden miami-dade tamiamipark,United States of America,Florida,FL,Joe Biden,1,0.2\r\n272,10/15/2020,sen ted cruz and sen lindsay graham says judiciary committee will vote on a subpoena for the ceo of twitter jack to testify next friday at a hearing about why nypost stories have been blocked. twitter biden nyport,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n273,10/15/2020,shameful george ignoring the joebiden hunterbiden barisma story. very dishonest  turning off  coasttocoastam,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n274,10/15/2020,share before it is censored. hunterbiden joebiden,United States of America,Virginia,VA,Joe Biden,2,0\r\n275,10/15/2020,sharing a legitimate news story about hunterbiden and joebiden is disallowed.. yet the top trend probably paid for is rupert murdoch predicting biden will win in a landslide.  big tech is getting scared.  they know the american people are on to biden's corruption.  hang on,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n276,10/15/2020,shaunking so you are voting for a pedophile\xf0\x9f\xa4\x94says a lot\xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f and you are not voting for trump why\xf0\x9f\xa4\x94 trump set aside 250 million dollars for hbcus when obama only set aside 4 million and with biden in the whitehouse. 47 years in politics all against our people\xf0\x9f\x91\x88\xf0\x9f\x8f\xbe\xf0\x9f\xa4\xa1,United States of America,California,CA,Joe Biden,0,-0.9\r\n277,10/15/2020,simple enough. rudy biden,United States of America,Georgia,GA,Joe Biden,1,0.4\r\n278,10/15/2020,smilan317 praise be come on kentucky i believe in you \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xe2\xad\x90\xef\xb8\x8f\xf0\x9f\x97\xb3 bidenharris joebiden votebluedownballot,United States of America,California,CA,Joe Biden,1,0.9\r\n279,10/15/2020,so twitter &amp; facebook are censoring and suspending any accounts that attempt to share the hunterbiden story reported by the new york post. why because it alleges joebiden lied about his son\xe2\x80\x99s dealings in ukraine,United States of America,New York,NY,Joe Biden,0,-0.7\r\n280,10/15/2020,so we have a town hall separate network debate tonight.   joebiden will be on abc and donaldtrump will be on nbc.   who orchestrated this setup.   this is an abject failure and a total disservice to the american people during this critical election,United States of America,Arkansas,AR,Joe Biden,0,-0.4\r\n281,10/15/2020,something went wrong but don\xe2\x80\x99t fret \xe2\x80\x94 let\xe2\x80\x99s give it another shot. wow twitter yes potentially harmful to biden you wouldn't care if it was harmful to trump,United States of America,Pennsylvania,PA,Joe Biden,0,-0.6\r\n282,10/15/2020,sometimes you just have to watch things again. particularly when you need hope. this is one of those things.  biden votebluetosaveamerica,United States of America,Washington,WA,Joe Biden,1,0.3\r\n283,10/15/2020,steelernation wkbn joshfrketicwkbn ryan27wkbn 570wkbn farrell pennsylvania biden bernie steelers teamjuju eagles,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n284,10/15/2020,suhail levie aaron thinks by voting for joebiden and hunterbiden see photo it\xe2\x80\x99s going to be like 2008 again and why boxhq hasn\xe2\x80\x99t changed much since.,United States of America,California,CA,Joe Biden,0,-0.5\r\n285,10/15/2020,teacher4trump1 andrewcmccarthy benshapiro johnsonhildy we are also talking about late 2017.  joebiden was gardening then.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n286,10/15/2020,that\xe2\x80\x99s right watch biden on abc.,United States of America,New York,NY,Joe Biden,2,0\r\n287,10/15/2020,the biden family in ireland.,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n288,10/15/2020,the cats out the bag joebiden comeonman biden  quidprojoe,United States of America,Minnesota,MN,Joe Biden,0,-0.1\r\n289,10/15/2020,the owner of a computer repair shop who obtained a laptop allegedly containing emails detailing an opportunity for a meeting between former vp joebiden and a top ukrainian business executive found \xe2\x80\x9cdisturbing\xe2\x80\x9d material on it.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n290,10/15/2020,the same ny post that \xe2\x80\x9cis no longer merely a journalistic problem. it is a social problem \xe2\x80\x93 a force for evil\xe2\x80\x9d according to the columbia journalism review. nothing seems strange here at all about this hunter biden story.,United States of America,Washington,WA,Joe Biden,0,-0.4\r\n291,10/15/2020,the storyline of how the biden family took billions quidproquojoe joebiden,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n292,10/15/2020,thelinconproject votethemallout votebidenharris2020 votehimout votebiden votebluedownballot voteredtosaveamerica maga2020landslidevictory maga trump leadership leningradlindsey foxnews biden,United States of America,Oregon,OR,Joe Biden,0,-0.1\r\n293,10/15/2020,these ppl are all connected. plannedparenthood fusiongps skdkickerbocker perkins coie joebiden kamala harris hillary clinton george soros plus russia dossier etc. we published this report last year that shows how.,United States of America,Kansas,KS,Joe Biden,2,0\r\n294,10/15/2020,they can try to shut down the hunterbiden story and joebiden all day but the american people are smart it just proves you are trying to hide it. we have tuckercarlson seanhannity limbaugh and last but not least the great realdonaldtrump to keep us informedtrump2020,United States of America,Alabama,AL,Joe Biden,2,0\r\n295,10/15/2020,this guy literally already has my vote since i did it early...but now he is after my dairyqueen loving heart i wonder what kind of blizzard joebiden eats \xf0\x9f\xa4\x94 joebiden biden bidenharris2020 bideneatsblizzards,United States of America,California,CA,Joe Biden,0,-0.1\r\n296,10/15/2020,this is a verified story with actual sources and evidence from the nypost that puts the dem candidate in a bad light. its being called 'spammy' and 'harmful' by twitter. this is what trump has been up against since 2015. censorship2020 factcheck biden trump,United States of America,California,CA,Joe Biden,0,-0.3\r\n297,10/15/2020,this is clear election interference by twitter realdonaldtrump hunterbiden joebiden 2020election nypost,United States of America,New York,NY,Joe Biden,0,-0.3\r\n298,10/15/2020,this nevertrump former gop office holder just cast his vote proudly for joebiden kamalaharris and democrats up and down the ballot.,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n299,10/15/2020,this would have been more believable nbc if you had not scheduled it opposite joebiden.  just starting 2016 crap a little later that's all. at least foxnews is up front. nbcistrumpsaccomplice nbcfail nbcboycott,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n300,10/15/2020,thursdaythoughts biden voteearly votebluedownballot \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99,United States of America,California,CA,Joe Biden,1,0.4\r\n301,10/15/2020,to be black &amp; demexit2020 is to be of true black revolution. black people voting for biden or trump are those who choose to stay in mental &amp; emotional slavery. election2020,United States of America,California,CA,Joe Biden,2,0\r\n302,10/15/2020,today twitter facebook duplicated chinese authoritarian methodology by censoring nypost story. monopolies must be broken up or brought under government oversight. tactics indistinguishable from cfr report on china. vote2020\xc2\xa0 biden trump\xc2\xa0voteearly\xc2\xa0,United States of America,California,CA,Joe Biden,0,-0.4\r\n303,10/15/2020,tonight abc news hosts a town hall with democratic presidential nominee joe biden moderated by george  stephanopoulos. watch the vice president and the people at 5 p.m. on abc7 news. vote election2020,United States of America,California,CA,Joe Biden,2,0\r\n304,10/15/2020,top 3 reasons why biden may win the election   via youtube tune in at 8am today  trump biden election2020,United States of America,Texas,TX,Joe Biden,1,0.3\r\n305,10/15/2020,tpes morningpoliticalthought colorado abortion prop115 twentytwoweeks bruceohr doj nellieohr fusiongps russiagate russiahoax townhall nbc abc biden trump maga2020 trump2020 vote2020 parler parlerusa,United States of America,California,CA,Joe Biden,0,-0.4\r\n306,10/15/2020,trump backed out of the second debate and nbcnews rewarded him with a town hall. don't watch it. turn every tv in your house to abc for bidentownhall. make sure the ratings for biden blow trump and nbc out of the water.,United States of America,California,CA,Joe Biden,0,-0.2\r\n307,10/15/2020,trump biden supporters divided in views of 2020election process \xe2\x80\x93 and whether it will be clear who won | pew research center,United States of America,California,CA,Joe Biden,0,-0.2\r\n308,10/15/2020,trump crashes and burns after mocking both biden and the elderly with bizarre photoshopped tweet my 84 years old mom says f you trumpcrimefamily  -,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n309,10/15/2020,trump is like a coach who won every game &amp; the super bowl before the chinavirus called a time-out. don\xe2\x80\x99t care wha plays he chose or which players he played. biden team has played 47 years &amp; never won a game.,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n310,10/15/2020,trump2020 donaldtrump joebiden looks like joe and hunter stepped on each other's deck shit is going to get real with these emails hopefully the old fool and his corrupt doper son gets what they have coming,United States of America,Ohio,OH,Joe Biden,0,-0.8\r\n311,10/15/2020,trumpfailsamerica trumpfailedamerica trumpkillsus trumpkillsamericans trumpthreatensamerica biden2020landslide bidenrepublicans biden biden2020 americaortrump lincolnproject trumppandemicfailure trumppandemic trumpisunwell rvat2020 rvat,United States of America,District of Columbia,DC,Joe Biden,1,0.4\r\n312,10/15/2020,trumpsthebiggestliarever biden,United States of America,Florida,FL,Joe Biden,1,0.3\r\n313,10/15/2020,trumpsthebiggestliarever joebiden corn pop,United States of America,Florida,FL,Joe Biden,1,0.3\r\n314,10/15/2020,trump\xe2\x80\x99s challenge tonight will be too try and figure out how to interrupt biden at biden\xe2\x80\x99s town hall. trump biden election2020,United States of America,California,CA,Joe Biden,0,-0.1\r\n315,10/15/2020,tuckercarlson signal was the key showing birisma american in ukraine as joebiden where they when approached by political in ukrainegovernment ever sent their lower-ranking threatening company officials the sound of who was backing them would shakeup in americanpowerfulfast,United States of America,Ohio,OH,Joe Biden,0,-0.7\r\n316,10/15/2020,twitter how is it that the nyt  joebiden or hunterbidenemails and more are not trending. oh thats right your censored it and still are. proves all along you manipulate to cover for your friends like biden,United States of America,Illinois,IL,Joe Biden,0,-0.6\r\n317,10/15/2020,twitter is on the offense trying to get people to believe that hunterbiden and joebiden are innocent... they are clearly not.,United States of America,California,CA,Joe Biden,0,-0.8\r\n318,10/15/2020,twitter why are you protecting biden and suppressing the spread of real news from the people. if i last checked you let hacked info about trump tax returns go viral.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n319,10/15/2020,very important point here about how abc has no cable outlets like nbc whuch has cnbc and msnbc resulting  in trump automatically receiving higher ratings. he will have 3 networks compared to biden with 1. totally planned this way by trump. wake up dems,United States of America,Nevada,NV,Joe Biden,2,0\r\n320,10/15/2020,viewer\xe2\x80\x99s guide trump biden hold competing town halls.,United States of America,Nevada,NV,Joe Biden,2,0\r\n321,10/15/2020,vote for joebiden yesterday early and by mail pennsylvaniaforbiden,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n322,10/15/2020,vote vote2020 mcflysays nickiminaj kamalaharris donaldtrump joebiden cardib  newark new jersey,United States of America,New Jersey,NJ,Joe Biden,1,0.2\r\n323,10/15/2020,vote voteblue2020 joebiden kamalaharris fucktrump,United States of America,California,CA,Joe Biden,1,0.3\r\n324,10/15/2020,vote voteearly biden harris dumptrump endvotersuppression 15hours,United States of America,California,CA,Joe Biden,1,0.3\r\n325,10/15/2020,voterfraud voterfraudisreal stopvoterfraud trump biden pence harris mail-in ballots are fraudulent put a stop to this now,United States of America,New York,NY,Joe Biden,0,-0.7\r\n326,10/15/2020,waiting for biden to up the ante and start wearing 3 masks.,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n327,10/15/2020,want to spread fake news on twitter or facebook please go ahead we won\xe2\x80\x99t do anything about it. but don\xe2\x80\x99t even think about posting anything that would hurt biden we\xe2\x80\x99ll censor it and won\xe2\x80\x99t let you post it censorship nypost hunterbiden vote,United States of America,California,CA,Joe Biden,0,-0.8\r\n328,10/15/2020,washingtonpost it\xe2\x80\x99s his gamble; possibly biden will get more viewers. i\xe2\x80\x99ll be watching abc/biden.,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n329,10/15/2020,watch joebiden on abc tonight at 8pm eastern skip trump on nbc bidentownhall,United States of America,New York,NY,Joe Biden,0,-0.1\r\n330,10/15/2020,we have twitter and facebook trying everything they can to block this story of the felon joebiden and his cocained-out son padding their pockets at taxpayers' expense. the story and the coverup is outrageous.,United States of America,California,CA,Joe Biden,0,-0.1\r\n331,10/15/2020,we will find out exactly what else we have to lose with 4 more years of this corrupt arrogant narcissistic douchebag. 25thamendment dumptrump trumpcrimefamily trumpisnotamerica biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n332,10/15/2020,what you would expect from the liberal activist hacks on cnn cnn and nbcpolitics running the biden campaign while masquerading as journalists bidencrimefamily cnnistrash nbc,United States of America,Georgia,GA,Joe Biden,0,-0.5\r\n333,10/15/2020,what's it called when you feel emotionally depleted and afraid of what you will learn tomorrow  oh right...2020. 2020 biden kamala trump wtf politics covid,United States of America,Nebraska,NE,Joe Biden,0,-0.7\r\n334,10/15/2020,when ignorant folks want to advertise their ignorance you don\xe2\x80\x99t have to do anything. you just have to let them talk. president obama. biden harris,United States of America,Arizona,AZ,Joe Biden,0,-0.1\r\n335,10/15/2020,whereshunter joebiden crookedjoebiden,United States of America,Georgia,GA,Joe Biden,1,0.3\r\n336,10/15/2020,who does biden fear the most....the real cornpop,United States of America,Nebraska,NE,Joe Biden,0,-0.1\r\n337,10/15/2020,why doesn\xe2\x80\x99t the news at the very least do their job in investigate this biden bidencorruption abcnews cbs nbcnews,United States of America,California,CA,Joe Biden,0,-0.8\r\n338,10/15/2020,why joe biden is not a friend of israel - israel national news  election2020 israel jewishcommunity joebiden politics,United States of America,California,CA,Joe Biden,0,-0.8\r\n339,10/15/2020,why would they choose to do this specifically when joebiden is on another channel has trump bought and paid for nbcpolitics nbcnews  time to turn off nbc nbcblackout boycottnbc,United States of America,North Carolina,NC,Joe Biden,0,-0.7\r\n340,10/15/2020,will biden cancel all public events until after the polls close he can't risk his health at this point axjus axjusa axjnews,United States of America,New York,NY,Joe Biden,0,-0.7\r\n341,10/15/2020,will nbc mimic twitter and facebook tonight and censor or try to cast realdonaldtrump in a negative way. will they bring out more undecided voters who we find out later are really biden voters nbc is probably more biased against trump than twitter or facebook,United States of America,Tennessee,TN,Joe Biden,0,-0.8\r\n342,10/15/2020,woah what's that funny piece of glass he got there joebiden settleforbiden hunterbiden,United States of America,Texas,TX,Joe Biden,1,0.4\r\n343,10/15/2020,wow even republicans senators can no longer support trump. bensasse maga vote voteearly biden bidensunitingus,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n344,10/15/2020,wow. well donaldtrump joebiden just stated the truth about you more powerfully than any onslaught of lies you could slander against joe &amp; try to get your ignorant maga to believe. this is the difference between honor integrity &amp; service... and you. bidentownhallabc biden,United States of America,California,CA,Joe Biden,2,0\r\n345,10/15/2020,yeah we only have biden on tape admitting as much. journalism is dead. rudy biden hunter,United States of America,North Carolina,NC,Joe Biden,0,-0.3\r\n346,10/15/2020,yet twitter promotes an article saying this did not happen joebiden and hunterbiden are international influence whores.,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n347,10/15/2020,you\xe2\x80\x99ll find the story on new york post go check out the scum bags. crookedjoebiden joebidenukrainescandal twittercensorship trump biden hunterbidenemails hunterbiden,United States of America,Nevada,NV,Joe Biden,0,-0.2\r\n348,10/15/2020,yup looks like biden is winning by a landslide never before seen in the history of this country,United States of America,New York,NY,Joe Biden,2,0\r\n349,10/15/2020,zman5381 did you see this freaking burt bacharach going to sing to seniors for biden  way to go burt.,United States of America,Wisconsin,WI,Joe Biden,0,-0.7\r\n350,10/15/2020,\xf0\x9f\x93\xa3 new podcast live life driven - decide to win on spreaker 75hard andyfrisella biden blog driven election podcast trump winning,United States of America,California,CA,Joe Biden,1,0.2\r\n351,10/15/2020,\xf0\x9f\x9a\xa8breaking news this is huge \xf0\x9f\x9a\xa8  obama biden and hillary should be indicted and rot in federal prison for this have to watch the first 30 minutes hillary biden obama trump2020 breaking barackobama vicepresident democrats infowars,United States of America,Arizona,AZ,Joe Biden,0,-0.7\r\n352,10/16/2020,biden ukraine burismabiden burismagate vote 2020 censorship,United States of America,California,CA,Joe Biden,0,-0.6\r\n353,10/16/2020,trump trumpnotfitforoffice resist biden2020 biden bidenharris2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n354,10/16/2020,via politico  notmypresident bluewave2020 theresistance flipitblue antitrump unfitforoffice   ruleoflaw deathofdemocracy joebiden2020 joe2020 joebiden bidenharris2020 trumpcrimefamily dumptrump realdonaldtrump realjameswoods,United States of America,New York,NY,Joe Biden,2,0\r\n355,10/16/2020,- survey 84% of oregonians wear face masks in public... liberals more likely to wear masks than conservatives  oregon covid__19  pdx portland orpol orleg trumpcovid biden beaverton gresham hillsboro,United States of America,Oregon,OR,Joe Biden,0,-0.8\r\n356,10/16/2020,...but true. biden,United States of America,California,CA,Joe Biden,1,0.3\r\n357,10/16/2020,.last night  abc had a chance to ask about hunter biden or even him self for china ukualaina money but abc lost ... \xf0\x9f\xa4\xa8,United States of America,Hawaii,HI,Joe Biden,0,-0.2\r\n358,10/16/2020,.nbcnews savannahguthrie shame on you for further dividing the country by scheduling a trumptownhall at the same time as the previously scheduled biden townhall. im done with nbc and not watching msnbc anymore. it\xe2\x80\x99s been real sruhle alivelshi mikabrezinski,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n359,10/16/2020,a competent leader may appear very boring.  do you want to be entertained or governed  do you want a leader for all of america or just people who beliefs are the same as yours  do you want someone who is fair or vindictive chaos or calm.  the choice is clear. vote biden,United States of America,Oregon,OR,Joe Biden,2,0\r\n360,10/16/2020,a president for all americans joebiden,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n361,10/16/2020,a third debate is not needed... protect joebiden of that deranged infectious clown...let\xe2\x80\x99s just focus on the next couple weeks \xe2\x9c\x8a\xf0\x9f\x8f\xbdtownhalls vote voteearly bidenharris2020,United States of America,California,CA,Joe Biden,0,-0.5\r\n362,10/16/2020,a trump biden debate of sorts from a distance.  watch the highlights,United States of America,New York,NY,Joe Biden,2,0\r\n363,10/16/2020,abc = assisting biden campaign.                        maga  trump2020,United States of America,Florida,FL,Joe Biden,1,0.2\r\n364,10/16/2020,actormikebiddle realdonaldtrump timburchett it\xe2\x80\x99s the beautiful part of america. we have the right to vote. you for trump and me for biden. it\xe2\x80\x99s all good. good luck.,United States of America,New York,NY,Joe Biden,1,0.4\r\n365,10/16/2020,ajamubaraka i have always said that mandatory adult vaccination is the goal of pharma from this and likely biden will push it. do you have a source and link,United States of America,New York,NY,Joe Biden,2,0\r\n366,10/16/2020,alanawise_ diary of a radio junkie 1791 days of waking up to the news trumptownhall qanondon qanons trumplies masks trumpcrime trumpowes bidentownhall biden giuliani rudy russia russianrudy mitchmcconnell caresact poverty coronavirus covid19 bensasse drawing,United States of America,New York,NY,Joe Biden,0,-0.3\r\n367,10/16/2020,all of joebiden\xe2\x80\x99s tv ads are 100% false. anyone see any that weren\xe2\x80\x99t,United States of America,New York,NY,Joe Biden,0,-0.4\r\n368,10/16/2020,all the things we're not supposed to say before the election  biden trump,United States of America,Washington,WA,Joe Biden,0,-0.7\r\n369,10/16/2020,also he\xe2\x80\x99s black and didn\xe2\x80\x99t vote for biden. this neighbor is one of the most selfless people i\xe2\x80\x99ve ever known though i barely know him. surely has no idea how much his social media posts inspire me. he\xe2\x80\x99s an even bigger believer of kindnessmatters and alllivesmatter,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n370,10/16/2020,amazing nbcnews is livestreaming joebiden campaign event and never once did they pan the camera to show the audience for his 15 min grumpy old man speech. fakenews,United States of America,Arizona,AZ,Joe Biden,1,0.3\r\n371,10/16/2020,americans have the right to know what joebiden plans to do with the supreme court.,United States of America,Louisiana,LA,Joe Biden,1,0.1\r\n372,10/16/2020,an electoralcollege tie is possible. since ratings are so good damn important trump and biden will share the white house and we'll change our national anthem to the oddcouple theme.,United States of America,Texas,TX,Joe Biden,1,0.4\r\n373,10/16/2020,an interesting case for donaldtrumpi was voting for biden but this changed my mind to trump  agenda2020howandwhydonaldtrump texas california florida maine washington oregon utah idaho nevada arizona newmexico northcarolina georgia newyork,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n374,10/16/2020,an interesting case for joebiden why this longtime republican rejects trump  texas california florida maine washington oregon utah idaho nevada arizona newmexico northcarolina georgia southcarolina virginia maryland newmexico newyork,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n375,10/16/2020,arrived america definitely needs a big cup of joe joebiden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n376,10/16/2020,backlash coulision by twitter  is trying to defend liberal  biden 47 years of corruption. trump2020landslide  we are the silent majority beveryafraid we coming for you. new social media platform coming   in the works we will not be silenced no more.. jackdarcy,United States of America,Louisiana,LA,Joe Biden,0,-0.1\r\n377,10/16/2020,beanlols joebiden this is great biden lying about taxes,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n378,10/16/2020,bettemidler exactly how i felt. i needed his decency calm and thoughtful manner and honor. godblessamerica and god bless joebiden bidentownhall,United States of America,Oregon,OR,Joe Biden,1,0.8\r\n379,10/16/2020,biden,United States of America,California,CA,Joe Biden,1,0.3\r\n380,10/16/2020,biden  without sunglasses,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n381,10/16/2020,biden 's town hall was the clear winner with more viewers,United States of America,California,CA,Joe Biden,1,0.5\r\n382,10/16/2020,biden beats trump in head-to-head town hall ratings.  via thedailybeast,United States of America,Maryland,MD,Joe Biden,1,0.4\r\n383,10/16/2020,biden beats trump in town hall ratings showdown  biden trump townhalls ratings,United States of America,California,CA,Joe Biden,1,0.3\r\n384,10/16/2020,biden been in politics 40+ years and now its time to change the system \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,New York,NY,Joe Biden,0,-0.7\r\n385,10/16/2020,biden biden biden bidenharris2020 bidenharris2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.4\r\n386,10/16/2020,biden bidenharris2020,United States of America,New York,NY,Joe Biden,1,0.3\r\n387,10/16/2020,biden bidenharrislandslide2020,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n388,10/16/2020,biden bidenukrainescandal,United States of America,California,CA,Joe Biden,1,0.3\r\n389,10/16/2020,biden bidenwinning  joebiden  election presidentialelection2020,United States of America,Florida,FL,Joe Biden,2,0\r\n390,10/16/2020,biden campaign has called for a generalstrike on monday oct 19 where the country stays home in our pjs and watch mrrogers all day till we feel better.,United States of America,New York,NY,Joe Biden,1,0.5\r\n391,10/16/2020,biden cites moody\xe2\x80\x99s saying his plan will create 7m more jobs and generate $1 trillion more gdp growth \xe2\x80\x9cwhen you allow people to get back in the game and have a job everything moves\xe2\x80\xa6 right now you have the opposite.\xe2\x80\x9d his plan is for families not billionaires. bidentownhall,United States of America,New York,NY,Joe Biden,0,-0.2\r\n392,10/16/2020,biden claims ny post article false because twitter censored it  via breitbartnews hunterbidenemails biden bidencrimefamily,United States of America,California,CA,Joe Biden,0,-0.7\r\n393,10/16/2020,biden covid. safety. economy. freedom. a loser's list of priorities. \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n394,10/16/2020,biden crushes trump in townhallratings on nbc and abc  christoaivalis presidentialtownhalls,United States of America,Illinois,IL,Joe Biden,2,0\r\n395,10/16/2020,biden dissects trump\xe2\x80\x99s foreign policy failures. points out trump is less trusted around the world than putin or xi &amp; that \xe2\x80\x9cnato is at the risk of beginning to crack.\xe2\x80\x9d the trump supporter who asked the question is getting an education he\xe2\x80\x99s never heard on fox news. bidentownhall,United States of America,New York,NY,Joe Biden,0,-0.4\r\n396,10/16/2020,biden halloween trump2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.4\r\n397,10/16/2020,biden handlers break silence after leaked photos catch him with teleprom...  via youtube biden bidenlies trumppence2020,United States of America,New York,NY,Joe Biden,0,-0.7\r\n398,10/16/2020,biden has my vote  i like his plan and it's  only gonna take 47 more years biden bidenharris2020 cnn  foxnews donaldjtrumpjr latinosfortrump vote  trump corruption,United States of America,California,CA,Joe Biden,1,0.3\r\n399,10/16/2020,biden is corrupt,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n400,10/16/2020,biden is doing a really great job answering questions at the town hall being televised on abc.  biden bidentownhall,United States of America,North Dakota,ND,Joe Biden,1,0.5\r\n401,10/16/2020,biden is doing what so many democrats do. he's going into the weeds on so many things. look don't get me wrong some of the things he is saying are good and important. but he needs better talking points that are gonna attract voter attention and be good soundbites for clips.,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n402,10/16/2020,biden is killing it in this town hall nothing but facts and information for the voters. get out and vote biden2020 no one to keep him from speaking in this thing so he is able to get the facts out. and no one interrupting him or talking over his time.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n403,10/16/2020,biden is so much smarter on climate and energy then the idiot trump. america is falling behind in electric vehicles. china and europe are forecast to dominate the market over the next 10 years. joe will help america catch up and create 1 million jobs doing it. bidentownhall,United States of America,New York,NY,Joe Biden,0,-0.1\r\n404,10/16/2020,biden is still talking with people who came to the constitution center. i bet trump is already heading home. bidencares joewillleadus biden bidentownhall trump trumpisanationaldisgrace,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n405,10/16/2020,biden joebiden2020 joebidentownhall,United States of America,New York,NY,Joe Biden,1,0.3\r\n406,10/16/2020,biden just pledged to decriminalize marijuana,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n407,10/16/2020,biden looks good. must be on some of those trump steroids. ok biden keep this up and we will have to start calling you 46 presidentialdebate2020 trump biden bidentownhall,United States of America,Illinois,IL,Joe Biden,1,0.2\r\n408,10/16/2020,biden looks lost... why does he keep staring into space..... wow.,United States of America,Ohio,OH,Joe Biden,0,-0.7\r\n409,10/16/2020,biden on hypothetical loss \xe2\x80\x9cwell it could say that i'm a lousy candidate &amp; i didn't do a good job but i think i hope that it doesn't say that we are as racially ethically and religiously at odds with one other as it appears the pres. wants us to be.\xe2\x80\x9d,United States of America,California,CA,Joe Biden,0,-0.3\r\n410,10/16/2020,biden points out every member of the black caucus supported the 1994 crime bill and black mayors supported it across the board. in 2020 he knows what\xe2\x80\x99s wrong with the system and has a plan to fix it. unlike trump he wants rehabilitation centers not more prisons. bidentownhall,United States of America,New York,NY,Joe Biden,1,0.2\r\n411,10/16/2020,biden questioning was ridiculous and didn\xe2\x80\x99t get pressed on anything at all. abcnews was terrible and are obviously throwing softballs to biden it\xe2\x80\x99s not a fair election when u have all of the media and social platforms heavily pushing for one side,United States of America,New York,NY,Joe Biden,0,-0.8\r\n412,10/16/2020,biden says lgbt people have a lot at stake with the barrett nomination in part because she\xe2\x80\x99s not answering questions that would reassure that lgbt rights are safe. debates2020,United States of America,New York,NY,Joe Biden,2,0\r\n413,10/16/2020,biden should not do a live debate w trump.  nolivedebate,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n414,10/16/2020,biden should put the threat out there - you push this scotus nomination through...i will pack the court. i think some republicans will freak and say hold the vote after the election.,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n415,10/16/2020,biden slams trump's iran policy at town hall  via adam_lucente,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n416,10/16/2020,biden still interacting with people at the event is heartening.,United States of America,Hawaii,HI,Joe Biden,2,0\r\n417,10/16/2020,biden talked big game about literally fighting trump but biden loyalists always seem to be up in arms about any trump tv time... even though it arguably keeps helping biden and hurting trump with each hour of air time right now... nbcblackout trumptownhall bidenemails biden,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n418,10/16/2020,biden talking about unity while democrats let their shock troops riot all summer. there is zero chance impeachment-covid-floyd were coincidental. they needed something to blame on trump. no incumbent president has ever lost reelection with good economy. trump\xe2\x80\x99s was raging great,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n419,10/16/2020,biden town hall is legit. he does know what he\xe2\x80\x99s talking about and i\xe2\x80\x99m proud to give him my vote.,United States of America,Illinois,IL,Joe Biden,1,0.9\r\n420,10/16/2020,biden trump hunterbiden scandal election votered,United States of America,New York,NY,Joe Biden,0,-0.4\r\n421,10/16/2020,biden was vp for a president with a foreignpolicy that hurt human rights national security alliances &amp; peace and enabled dictators/aggressors &amp; their weapons. he describes trump\xe2\x80\x99s fp in a way that describes policies of the president he served &amp; is not questioned about that.,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n422,10/16/2020,biden \xf0\x9f\x92\x99\xf0\x9f\x92\x99 bidenharristosaveamerica \xf0\x9f\x92\x99\xf0\x9f\x92\x99 we  need hope.  we need healing  we need to be united.  \xf0\x9f\x92\x99the  united  states  of  america\xf0\x9f\x92\x99,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n423,10/16/2020,bidentownhall  my impression from polling is that black americans are overwhelmingly for biden because they know who is on their side.  and yet abc seemed to find black people considering other alternatives yes with an equal  of supporters hiding in pa was not honest 1/2,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n424,10/16/2020,biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb crookedjoebiden bidencrimefamily burisma friyay fridaythoughts fridaymotivation,United States of America,New York,NY,Joe Biden,1,0.4\r\n425,10/16/2020,biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb harrisbiden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb friyay riggedbidentownhall abc fridaythoughts fridayvibes,United States of America,New York,NY,Joe Biden,1,0.4\r\n426,10/16/2020,black24boi thehill well; then give biden the credit for admitting his mistakes for supporting the bad part of that bill there were good parts; like the women\xe2\x80\x99s domestic violence pieces...,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n427,10/16/2020,bob452020 vanessacvenus i\xe2\x80\x99ve said it for years and i\xe2\x80\x99ll say it again. bruce springsteen is one of the most overrated musicians ever. his music sucks. he sucks music trump biden,United States of America,New York,NY,Joe Biden,0,-0.5\r\n428,10/16/2020,brithume the new york post story is russian disinformation  shameful no journalistic standards biden,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n429,10/16/2020,brucegamsey mjfree joebiden has a true and kind heart that\xe2\x80\x99s desperately needed in the white house for the american people of these united states and with kamalaharris by his side it just gets better and better \xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 bidenharris2020 bidenharristosaveamerica,United States of America,New York,NY,Joe Biden,1,0.8\r\n430,10/16/2020,by ignoring any story that damages biden msm are telling the public the truth doesn\xe2\x80\x99t matter. media are setting themselves up as political errand boys/girls instead of truth tellers. this is dangerous to the republic. it\xe2\x80\x99s also dangerous for journalists and journalism.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n431,10/16/2020,catch me on dailybriefing w danaperino 210pm/e on foxnews i'll be discussing hunterbiden newyorkpost joebiden twittercensorship jackdorsey subpoena w jasoninthehouse hope you'll tune in,United States of America,California,CA,Joe Biden,0,-0.1\r\n432,10/16/2020,catturd2 the response to if you lose was even better \xe2\x80\x9cmaybe that means i\xe2\x80\x99m a lousy candidate..........zzzz.........and racial america\xe2\x80\x9d -joebiden \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,California,CA,Joe Biden,0,-0.6\r\n433,10/16/2020,cbsla so biden's team just caught covid19  aaand he held an in person town hall.. so why was he afraid of an in person debate against trump how do you expect us to vote for a lying coward who needs questions blocked from him,United States of America,California,CA,Joe Biden,0,-0.8\r\n434,10/16/2020,cbsnews biden is above the law. he doesn\xe2\x80\x99t wanna answer to not make headlines but not answering is making headlines .  he\xe2\x80\x99s being fake  he\xe2\x80\x99s pandering dog whistling and trying not to turn off some of his crazy voters. shady bidentownhall bidenharrislandslide2020 vote whereshunter,United States of America,New York,NY,Joe Biden,0,-0.8\r\n435,10/16/2020,china and russia\xe2\x80\x99s dicks are so far up the biden\xe2\x80\x99s asses they\xe2\x80\x99re choking on em\xe2\x80\x99.,United States of America,Maryland,MD,Joe Biden,0,-0.7\r\n436,10/16/2020,cnbc better framed as \xe2\x80\x9cwhere do trump and biden stand on the future of the united states\xe2\x80\x9d because having the most well educated americans weighted down with debt discouraging promising students from pursuing college due to their example american society will suffer as a result.,United States of America,California,CA,Joe Biden,0,-0.5\r\n437,10/16/2020,cnbc joe biden policies would not be introduced in to the government until the spring. they will be debated and voted on. any major changes would not go in to effect until 2022. 2021 budget is set. biden trump election2020 congress budget politics stocks wallstreet,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n438,10/16/2020,commercial break hopped over to abc.  clearly biden is being held accountable with blistering questions. trumptownhall bidentownhall,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n439,10/16/2020,commissiononpresidentialdebates/debates picked steve scully\xe2\x80\x94fmr joebiden intern to moderate trump biden debate. stevescully tweets swamp thing scaramucci for advice gets caught\xe2\x80\x94lies that his twitter account was hacked. commission on presidential debates &amp; media corrupt.,United States of America,California,CA,Joe Biden,0,-0.5\r\n440,10/16/2020,confirming reports earlier joebiden campaign announces that former president barack obama will campaign in philadelphia next wednesday elections2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n441,10/16/2020,cookdard just_renear apparently biden stayed afterwards also,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n442,10/16/2020,crookedjoebide joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n443,10/16/2020,curious was all news before trump real news asking for all 80s 90s rappers. trump biden qanons,United States of America,Iowa,IA,Joe Biden,2,0\r\n444,10/16/2020,curtishouck good whatever it takes to to secure healthcare women rights and lgbt rights. biden,United States of America,California,CA,Joe Biden,1,0.5\r\n445,10/16/2020,damn. joebiden is still talking to these people work for that vote \xf0\x9f\x91\x8d,United States of America,Nevada,NV,Joe Biden,0,-0.4\r\n446,10/16/2020,danrather biden - i know i\xe2\x80\x99m biased but he\xe2\x80\x99s nailing it - hope he follows up with each person who has asked a question to make sure their questions or concerns are addressed joebiden,United States of America,Texas,TX,Joe Biden,1,0.2\r\n447,10/16/2020,danrather biden abctownhalljoebiden  whysubstantive. real. no drama of absurd shenanigans that make some lol or chant but others of us cringe in terror.,United States of America,New York,NY,Joe Biden,1,0.3\r\n448,10/16/2020,danrather biden is a good human being,United States of America,California,CA,Joe Biden,1,0.8\r\n449,10/16/2020,danrather biden is fantastic tonight wow. i hear trump is a joke as usual no facts. no plans just being told his smile is nice by old women.,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n450,10/16/2020,danrather biden. calm thoughtful sane. no hatred spewing from his mouth. the way a president should be.,United States of America,Missouri,MO,Joe Biden,1,0.3\r\n451,10/16/2020,davidmweissman i voted for biden this morning. if you haven\xe2\x80\x99t done so yet get out and vote. hopefully for joebiden,United States of America,Kentucky,KY,Joe Biden,2,0\r\n452,10/16/2020,ddale8 greatest idea ever best situation possible - both r and d saw both. biden was perfect. he\xe2\x80\x99s a real human. an actual politician. a statesman. knowledgeable interested curious innovative collaborative... bidenwonthedebate hands down votebiden votebluedownballot,United States of America,California,CA,Joe Biden,1,0.6\r\n453,10/16/2020,dear presidenttrump here\xe2\x80\x99s a fact right now you\xe2\x80\x99re not losing to biden but you are losing to your nemesis  therealdonaldtrump.,United States of America,Tennessee,TN,Joe Biden,0,-0.4\r\n454,10/16/2020,decriminalize marijuana. retroactively. biden,United States of America,California,CA,Joe Biden,1,0.1\r\n455,10/16/2020,demcast demcastmi wtpsenate wtp wtpgotv bidenwonthedebate biden bidenharris bidenharris2020 blm,United States of America,Ohio,OH,Joe Biden,1,0.4\r\n456,10/16/2020,demcast demcastmi wtpsenate wtp wtpgotv bidenwonthedebate biden bidenharris bidenharris2020 blm,United States of America,Ohio,OH,Joe Biden,1,0.4\r\n457,10/16/2020,demcast demcastmi wtpsenate wtp wtpgotv bidenwonthedebate biden bidenharris bidenharris2020 blm,United States of America,Ohio,OH,Joe Biden,1,0.4\r\n458,10/16/2020,demcast demcastmi wtpsenate wtp wtpgotv bidenwonthedebate biden bidenharris bidenharris2020 blm,United States of America,Ohio,OH,Joe Biden,1,0.4\r\n459,10/16/2020,demcast demcastmi wtpsenate wtp wtpgotv bidenwonthedebate biden bidenharris bidenharris2020 blm,United States of America,Ohio,OH,Joe Biden,1,0.4\r\n460,10/16/2020,demcast demcastmi wtpsenate wtp wtpgotv bidenwonthedebate biden bidenharris bidenharris2020 blm,United States of America,Ohio,OH,Joe Biden,1,0.4\r\n461,10/16/2020,democratic presidential candidate joe biden sits with gstephanopoulos as they begin the abcnews town hall. joebiden joebiden campaign2020 afpphoto,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n462,10/16/2020,derekturnbull anncurry savannahguthrie hodakotb savannahguthrie was an embarrassment.  trump2020 trumptownhall why doesn\xe2\x80\x99t the media ask biden about hunterbidenemails hunterbidensukrainescandal \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8funbelievable,United States of America,New York,NY,Joe Biden,0,-0.7\r\n463,10/16/2020,did joe biden subvert american foreign policy in order to enrich his own family simple biden bidencrimefamily hunterbidenemails hunterbidenemails,United States of America,Colorado,CO,Joe Biden,2,0\r\n464,10/16/2020,did you watch either one did you watch both fox43 biden trump joebiden donaldtrump vote presidentialelection 2020 election vote bidenharris trumppence,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n465,10/16/2020,diddy ourblackparty how is this supposed to help get joebiden elected,United States of America,New York,NY,Joe Biden,0,-0.6\r\n466,10/16/2020,does anyone else think these two look too familiar.. spooky trump biden,United States of America,Arizona,AZ,Joe Biden,0,-0.2\r\n467,10/16/2020,does everyone realize that if biden wins we may have to start wearing pants again debates2020 bidenwillcrushcovid trumpcovid19 trumpisnotwell,United States of America,Virginia,VA,Joe Biden,0,-0.2\r\n468,10/16/2020,does realdonaldtrump knows he's running against joebiden not ilhanomar or barackobama or hillaryclinton trumpisnotwell,United States of America,California,CA,Joe Biden,0,-0.5\r\n469,10/16/2020,dolores umbridge compared to amy coney barrett.  their tone speech and rhetoric are eerily similar. amyconeybarrett scotus scotushearing scotussham vote votebluetosaveamerica trump biden harrypotter tyranny ruleoflaw doloresumbridge,United States of America,California,CA,Joe Biden,0,-0.2\r\n470,10/16/2020,donaldtrump &amp; his paid sycophants using the sleepyjoe &amp; lowenergyjoe monikers &amp; that he is declining mentally to fool their ignorant magaare going to have to find new material. joebiden was clear detailed &amp; in command of the facts; trump can\xe2\x80\x99t do that. joebidentownhall,United States of America,California,CA,Joe Biden,2,0\r\n471,10/16/2020,donaldtrump dumptrump2020 dumptrump vote vote2020 voteblue2020 voteforchange covid_19 coronavirus bidenharris2020 biden2020 joebiden,United States of America,Texas,TX,Joe Biden,1,0.2\r\n472,10/16/2020,dontmesswithtx alyssa_milano he's already won even if biden wins an upset.  he has put so many judges on the courts that his impact will be felt for the rest of our lives and he knows it.,United States of America,Maryland,MD,Joe Biden,1,0.8\r\n473,10/16/2020,dropped my ballot off with my favorite friend today. let\xe2\x80\x99s do this america. vote2020 joebiden kamalaharris dumptrump  chicago illinois,United States of America,Illinois,IL,Joe Biden,1,0.2\r\n474,10/16/2020,duchessboyles vitticusr biden reasonable dignified relaxed focused relatable thoughtful interested actual care for improvement on the life of americans. bidenwonthedebate hands down,United States of America,California,CA,Joe Biden,1,0.8\r\n475,10/16/2020,dumptrump dumptrump2020 resist antitrump trump2020landslide joebiden2020 joebiden,United States of America,Washington,WA,Joe Biden,2,0\r\n476,10/16/2020,early voting started tuesday in texas. we gave it a few days but went this morning. it was busy but there were plenty of machines so there wasn\xe2\x80\x99t a real wait. our new precinct is much more conservative than our last so i was happy to bring a little more blue to it. biden,United States of America,Texas,TX,Joe Biden,1,0.2\r\n477,10/16/2020,el oraculo de zamna on instagram \xe2\x80\x9ccu\xc3\xa1nto estusiasmo biden. todoscontraelnom abajoelcabal nadatienesentido eloraculodezamna biden zamna\xe2\x80\x9d,United States of America,New York,NY,Joe Biden,1,0.2\r\n478,10/16/2020,election beard. a lot like a playoff beard only no winner. election2020 trump biden podernfamily,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n479,10/16/2020,election2020 join frankiedarcell &amp; her afternoondrive guest vp joebiden exclusively on wdasfm  fdarcell joebiden  pennsylvania philly  vote,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n480,10/16/2020,erictrump twitter locking people out for people sharing the biden story. they even got my girl presssec . democrats taking a play from the hitler's playbook with media and propaganda. \xf0\x9f\x99\x8f for the unitedstates,United States of America,Texas,TX,Joe Biden,2,0\r\n481,10/16/2020,except \xe2\x80\x9cjoe rodgers\xe2\x80\x9d can\xe2\x80\x99t find his way back to the closet to change his shoes and joebiden thinks he\xe2\x80\x99s mr. mcfeely joebidentownhall,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n482,10/16/2020,exclusive \xe2\x80\x94 \xe2\x80\x98this is china inc.\xe2\x80\x99 emails reveal hunter biden\xe2\x80\x99s associates helped communist-aligned chinese elites secure white house meetings  via breitbartnews how is biden going to explain this away,United States of America,Nevada,NV,Joe Biden,0,-0.2\r\n483,10/16/2020,exile45co who wants pricy sh*tty healthcare  we deserve better.  remember berniesanders and elizabeth warren didn\xe2\x80\x99t like biden s plans they said he\xe2\x80\x99s proven to be wrong and doesn\xe2\x80\x99t think big enough,United States of America,New York,NY,Joe Biden,0,-0.7\r\n484,10/16/2020,fact benghazi happened under the biden administration. vote ewerickson toddstarnes. why have we forgotten,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n485,10/16/2020,factsmatter right joe biden election2020,United States of America,Texas,TX,Joe Biden,1,0.4\r\n486,10/16/2020,family. why are the biden family dealings off limits.,United States of America,California,CA,Joe Biden,2,0\r\n487,10/16/2020,feels good to be early to the party...the one you vote for heather &amp; i got our voterballots in early we voted for joebiden &amp; kamalaharris for we believe in democracy &amp; if you believe in it you will voteearly even if you don\xe2\x80\x99t vote for joebiden &amp; kamalaharris please vote,United States of America,California,CA,Joe Biden,1,0.5\r\n488,10/16/2020,ferric242 fivethirtyeight so then it becomes q of empiricism v motivation. while not knowable w certainty it seems *extremely* likely that biden national lead is larger &amp; less volatile than hrc. thanks to few undecideds &amp; reduced third party he\xe2\x80\x99s averaging well over 50 nationally &amp; in enough states 2,United States of America,New York,NY,Joe Biden,0,-0.1\r\n489,10/16/2020,ferric242 fivethirtyeight that biden has the averages he has despite it being pretty clear that certainly few if any methodologies have been adjusted to be pro-d is for me significant. so trafalgar may be intellectually honest &amp; consistent - &amp; i\xe2\x80\x99d expect them to stand behind their polling 4/,United States of America,New York,NY,Joe Biden,2,0\r\n490,10/16/2020,few things are more patriotic than voting voteearly vote voteforchange joebiden countryoverparty,United States of America,North Carolina,NC,Joe Biden,0,-0.1\r\n491,10/16/2020,former antifa member on my show right now.  he answers very clearly if it's a real organization or if it's an idea as joebiden said.   or  now,United States of America,Texas,TX,Joe Biden,1,0.3\r\n492,10/16/2020,francisdmillet mr. rogers was one of the finest humans ever. so is joebiden biden2020 bidenwonthedebate,United States of America,California,CA,Joe Biden,1,0.3\r\n493,10/16/2020,fraudulent rewrite of american history smearing all americans as systemically racist  democrat new york times\xe2\x80\x98 \xe2\x80\x981619 project\xe2\x80\x98 named to \xe2\x80\x98top ten works of journalism of the decade\xe2\x80\x98 by taxpayer funded nyu betsydevosed realdonaldtrump biden's america,United States of America,New York,NY,Joe Biden,0,-0.6\r\n494,10/16/2020,from my wife's facebook feed donaldtrump's tv ratings should be great since so many tuned in to laugh at trump. joebiden is giving coherent detailed answers. boring  more boring please.,United States of America,Minnesota,MN,Joe Biden,2,0\r\n495,10/16/2020,fuck biden pedophile joebiden you're a 3x loser. you're out. old senile bastard.. yell at a union worker and push up on him again you might catch one old man...,United States of America,California,CA,Joe Biden,0,-0.8\r\n496,10/16/2020,funder jane_bagleyzi biden won the prize for reading from a teleprompter with pre-studied non critical questions. nothing about his corruption etc. trump had to face an interrogation. here we saw a great president answering quickly to all the insinuations. i would have lost my temper. trump2020,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n497,10/16/2020,funder realdonaldtrump watch joebiden on abc at 8pm.,United States of America,Florida,FL,Joe Biden,2,0\r\n498,10/16/2020,funny this isn\xe2\x80\x99t getting much media attention for some reason  remember when biden didn\xe2\x80\x99t want his kids growing up in a \xe2\x80\x9cracial jungle\xe2\x80\x9d joebiden racist,United States of America,Iowa,IA,Joe Biden,0,-0.6\r\n499,10/16/2020,further kamalaharris admitted several times ruing the primaries that she believed joebiden's sexual accusers. now she is his running mate. the fact that biden is the best the dnc could come up with shows that they have zero moral ground over the gop.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n500,10/16/2020,fyp foryou liberal democrat trump muslim muslimtiktok islam joebiden arab.     can someone tell me if this is real or dubbed. i think it\xe2\x80\x99s dubbed.,United States of America,California,CA,Joe Biden,0,-0.1\r\n501,10/16/2020,gma gstephanopoulos biden is a loser,United States of America,Colorado,CO,Joe Biden,0,-0.9\r\n502,10/16/2020,gopchairwoman \xf0\x9f\x98\xa9\xf0\x9f\x98\xa9\xf0\x9f\x98\xa9cry babies can\xe2\x80\x99t handle tough questions. stop your cryin\xe2\x80\x99 and vote for biden,United States of America,California,CA,Joe Biden,0,-0.6\r\n503,10/16/2020,gosh. it is like dejavu all over again...trump joebiden,United States of America,North Carolina,NC,Joe Biden,0,-0.1\r\n504,10/16/2020,gotta say i\xe2\x80\x99m a bit surprised. thought america would go for the train wreck. biden bidenharris2020 dumptrump,United States of America,Texas,TX,Joe Biden,2,0\r\n505,10/16/2020,hang in there america. help is on the way. joebiden will be the president we need.,United States of America,New York,NY,Joe Biden,2,0\r\n506,10/16/2020,harris\xe2\x80\x99s ties to leading anti-israel group draw scrutiny  antisemitism biden election2020 harris israel news politics,United States of America,California,CA,Joe Biden,0,-0.5\r\n507,10/16/2020,has anyone seen joebiden lol,United States of America,Connecticut,CT,Joe Biden,1,0.3\r\n508,10/16/2020,he can\xe2\x80\x99t even tell the differences between satire fake news &amp; real facts. this is what happens when a monster has no sense of humor trumpisnotwell votebidenharris joebiden votebluetoendthisnightmare,United States of America,New York,NY,Joe Biden,0,-0.8\r\n509,10/16/2020,he knows joebiden is going to lose. trump2020,United States of America,New York,NY,Joe Biden,0,-0.1\r\n510,10/16/2020,healthenation joebiden biden yes please,United States of America,North Carolina,NC,Joe Biden,1,0.7\r\n511,10/16/2020,hey realdonaldtrump... have a great day trumptownhall biden,United States of America,New York,NY,Joe Biden,1,0.9\r\n512,10/16/2020,highlights and key moments from trump and biden town_halls - the new york times,United States of America,New York,NY,Joe Biden,1,0.2\r\n513,10/16/2020,hopefully soon to end  help end the trump nightmare at  a crowdsourced grassroots project to display billboards in battleground states. dumptrump liarinchief biden bidenharris2020 racisttrump,United States of America,Oregon,OR,Joe Biden,2,0\r\n514,10/16/2020,how are people still undecided biden votebiden votebidenharristosaveamerica,United States of America,North Dakota,ND,Joe Biden,0,-0.4\r\n515,10/16/2020,how can biden be eligible for president with the criminal actions of himself and hunterbiden,United States of America,Nebraska,NE,Joe Biden,0,-0.5\r\n516,10/16/2020,how can people not chose joebiden,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n517,10/16/2020,how could anyone in their right mind vote for this raisin..biden trump2020landslide,United States of America,Georgia,GA,Joe Biden,0,-0.5\r\n518,10/16/2020,huge twitter shuts down after tucker carlson announces he will release new hunter biden emails on his show tonight --updated  via gatewaypundit biden hunterbidenemails,United States of America,California,CA,Joe Biden,0,-0.2\r\n519,10/16/2020,hunterbiden joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n520,10/16/2020,hunterbidenemails hunterbidenlaptop bidencriminalfamily joebiden joebidentownhall,United States of America,New York,NY,Joe Biden,1,0.3\r\n521,10/16/2020,hypocritsabound twitter hahaha you are a little too late for that one because this year trump is going up against biden not clinton i know what you mean though buddy however i work for dairy queen &amp; i hope that our fan food isn't communist,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n522,10/16/2020,i didn\xe2\x80\x99t watch. i hear savannahguthrie did well. i am glad. i am still disgusted that nbcnews pulled such a crappy move by collaborating with trump and scheduling against biden. hurt their entire news team. and the country. cesarconde_ nbctownhall,United States of America,California,CA,Joe Biden,2,0\r\n523,10/16/2020,i don\xe2\x80\x99t know who needs to hear this presidents don\xe2\x80\x99t need high tv ratings. we don\xe2\x80\x99t give a fuck. we want leaders to run our country not fake tv stars to drag it down. biden debates2020 chickentrump voteforbidenharris,United States of America,Washington,WA,Joe Biden,0,-0.4\r\n524,10/16/2020,i don\xe2\x80\x99t see joe biden going on fox or newsmax or oan - trump goes into hostile territory.  biden is a wimp.,United States of America,Arizona,AZ,Joe Biden,0,-0.4\r\n525,10/16/2020,i hate each candidate but trump is less damaging. you can bury your head in the sand and pretend everything is great with biden while the media  covers up colonialism corruption and war crimes. so if you want to pretend nothing is wrong while africa and me burn go for it.,United States of America,Ohio,OH,Joe Biden,0,-0.4\r\n526,10/16/2020,i have said it before and i'll say it again. petebuttigieg is a great surrogate for biden.,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n527,10/16/2020,i just voted for colinallredtx joebiden mjhegar and other dems  it took less than 10 minutes.  what a good feeling  this weekend more phone-banking to ask others to do the same.,United States of America,Texas,TX,Joe Biden,1,0.4\r\n528,10/16/2020,i know in my heart he will vote for joebiden,United States of America,Washington,WA,Joe Biden,1,0.5\r\n529,10/16/2020,i love that joebiden carries notes to given people facts and figures,United States of America,Arizona,AZ,Joe Biden,1,0.9\r\n530,10/16/2020,i love the integrity humility and sense of calm biden provides. biden watchbiden,United States of America,California,CA,Joe Biden,1,0.6\r\n531,10/16/2020,i opted for the biden town hall tonight and it\xe2\x80\x99s worth watching - this is infinitely richer than when he\xe2\x80\x99s being interrupted every 30 seconds. debates2020,United States of America,New York,NY,Joe Biden,1,0.4\r\n532,10/16/2020,i really hope someone manages to educate joebiden on why legal regulated marijuana is the safest most sensible and humane policy.,United States of America,California,CA,Joe Biden,0,-0.5\r\n533,10/16/2020,i understand that you some of you love trump. you have to be able to tell the difference between these two men. biden sounds and act like a leader. trump sounds like he is trying to sell you something. after you buy it you want to take it back. vote,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n534,10/16/2020,i voted for biden and i am fucking proud of it votejoebiden bidenharris2020 presidentialelection2020,United States of America,Georgia,GA,Joe Biden,1,0.6\r\n535,10/16/2020,i voted for biden here in pennsylvania .\xf0\x9f\x92\x99\xf0\x9f\x92\x99 bidenharristosaveamerica let us unite again,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n536,10/16/2020,i wish joebiden was as much of a leftist as the republicans think he was anyways aoc2024,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n537,10/16/2020,i'm going to shut this off.  gstephanopoulos is now and always will be the clinton administration partisan we know he is.  but i'll have to shut it off mostly because joebiden is a shell of his old self and it's cringy to watch him being elder-abused like this.  nuts,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n538,10/16/2020,icecube after the election2020 when biden wins. you couldn\xe2\x80\x99t wait a few days really,United States of America,California,CA,Joe Biden,0,-0.1\r\n539,10/16/2020,icecube the person with that political plan to build the possibility of black people building wealth is biden. betrayal here... by you and then of you by trump.,United States of America,California,CA,Joe Biden,0,-0.7\r\n540,10/16/2020,icooperauthor davidmweissman mercedesschlapp joebiden abcpolitics apparently the gop and magas find mrrogers offensive and possibly dangerous or a threat to their american way of life. well indeed he would be as mr. rogers represents equality kindness and opportunity for all. as does the next president of the usa biden bidenwonthedebate,United States of America,California,CA,Joe Biden,2,0\r\n541,10/16/2020,if biden is mr. rogers then donald is the slumlord on the old snl mr. robinson's neighborhood sketch.   biden mrrogers,United States of America,Georgia,GA,Joe Biden,2,0\r\n542,10/16/2020,if they confirm amyconeybarrett  i pray biden the next president of our united states packs the court.,United States of America,New York,NY,Joe Biden,0,-0.1\r\n543,10/16/2020,if trump does not tute his horn who will then for the fakenewsmedia it certainly does not. realdonaldtrump has done more for the usa than any other president in history. but like all mainstream media have told the people. fakenews is biden\xe2\x80\x99s private public relations firm.,United States of America,New York,NY,Joe Biden,2,0\r\n544,10/16/2020,if you thought there was a bump in the polls after he bullied and interrupted joebiden wait until you see the numbers now that's interrupting and bullying savannahguthrie. he's yelling at savanah  not pr 101 we're witnessing here. trumptownhall,United States of America,New York,NY,Joe Biden,0,-0.4\r\n545,10/16/2020,if you want a do-over of the pandemic where we all have to pretend that hospitals are being overrun and that a covid19 positive test is a death sentence then by all means vote for joebiden. if you'd like to live in that kind of a fantasy world your choice is clear.,United States of America,California,CA,Joe Biden,0,-0.5\r\n546,10/16/2020,imagine thinking mr. rogers is an insult.  it's a beautiful day to vote for biden. joebiden election2020,United States of America,California,CA,Joe Biden,1,0.1\r\n547,10/16/2020,in last night\xe2\x80\x99s town hall joebiden stood up for the rights of lgbtq americans and made a powerful statement against the epidemic of violence targeting trans women of color. it's one of the many reasons i am teamjoe . bidencalm bidenharris2020 fridayfeeling,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n548,10/16/2020,ingrahamangle any questions for joebiden about his corrupt son biden hunterbidenemails,United States of America,Colorado,CO,Joe Biden,0,-0.6\r\n549,10/16/2020,is georgestephanopoulos gonna grill biden or is he just gonna sit back like he is right now and let biden talk the whole time and not cut him off in rebuttal  weak abcnews can\xe2\x80\x99t ask real questions and push biden at all,United States of America,New York,NY,Joe Biden,0,-0.7\r\n550,10/16/2020,it should now be a lot clearer why jack and his cronies are doing everything they possibly can to help biden hide negative news. is a biden win an end for free speech on the internet censorship censorship2020 censorshipisreal section230 repealsection230 freespeech,United States of America,Oklahoma,OK,Joe Biden,0,-0.6\r\n551,10/16/2020,it's truly stunning how ignorant joebiden is regarding police tactics and terms. de-escalation novel idea. cops should try that sometime. \xf0\x9f\x99\x84bluelivesmtr ltrandysutton backtheblue,United States of America,Nevada,NV,Joe Biden,1,0.2\r\n552,10/16/2020,it\xe2\x80\x99s funny how no one is asking for joebiden\xe2\x80\x99s proposal for covid19 related stimuluspackage,United States of America,New York,NY,Joe Biden,0,-0.6\r\n553,10/16/2020,it\xe2\x80\x99s on wisconsin... and vote biden,United States of America,Washington,WA,Joe Biden,1,0.1\r\n554,10/16/2020,it\xe2\x80\x99s so nice to listen to joebiden speak with such intelligence &amp; eloquence that trump completely lacks. an actually conversation not some \xf0\x9f\xa4\xa1 literary dancing on americans graves. bidentownhall bidenharristosaveamerica bidenharris,United States of America,New York,NY,Joe Biden,1,0.2\r\n555,10/16/2020,i\xe2\x80\x99m leaning either jojorgensen2020 or joebiden this election. more jojorgensen2020 i honestly just realized i\xe2\x80\x99ve always had a libertarian way of thinking.. 2020election vote,United States of America,Texas,TX,Joe Biden,1,0.1\r\n556,10/16/2020,i\xe2\x80\x99m voting for the man who has morals. i\xe2\x80\x99m voting for the man who has empathy. i\xe2\x80\x99m voting for the man who has a conscience. i\xe2\x80\x99m voting for joebiden either you want a decent man in the whitehouse or the continued incompetent embarrassment that is trump countryoverparty vote,United States of America,California,CA,Joe Biden,0,-0.1\r\n557,10/16/2020,j_insider a lovely read from the washingtonian on tj ducklo a grandchild of stanley karr of nashville biden,United States of America,New York,NY,Joe Biden,1,0.8\r\n558,10/16/2020,jackposobiec mittromney 90% of clueless voters believe voting down ballot/line &amp; majority of politics is a 'so-called' career that's so admirable which allow both children &amp; idiotic americans to aspire to/believe in. guess what democracy is dwindling. democrazy trumptaxreturns voteearly biden,United States of America,California,CA,Joe Biden,0,-0.4\r\n559,10/16/2020,jaketapper if you don't vote for biden you are voting for trump. what a waste of a vote.,United States of America,North Carolina,NC,Joe Biden,0,-0.8\r\n560,10/16/2020,joe biden says he will allow transgender back into the military and protect their right. love it. joebiden bidentownhall joebiden2020 lgbtq translivesmatter,United States of America,Nevada,NV,Joe Biden,1,0.4\r\n561,10/16/2020,joe biden should be trending. make joe biden be trending. joebiden iwantjoebiden ineedjoebiden votebidenharris bidenharris2020,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n562,10/16/2020,joe biden's town-hall appearance on abc  dis +0.1% averaged 13.9m viewers while a town-hall at the same time with president trump on nbc networks  $cmcsa +1.1% averaged a combined 13m viewers.,United States of America,California,CA,Joe Biden,0,-0.1\r\n563,10/16/2020,joebiden &lt;- you know why,United States of America,Alabama,AL,Joe Biden,0,-0.4\r\n564,10/16/2020,joebiden abc \xe2\x80\x94 climate change- saving our planet creating jobs he\xe2\x80\x99s 100% correct i feel like i\xe2\x80\x99m listening to my president yay happy dance \xf0\x9f\x92\x83\xf0\x9f\x8f\xbb,United States of America,Arizona,AZ,Joe Biden,1,0.9\r\n565,10/16/2020,joebiden biden laptop china russia burismabiden,United States of America,Texas,TX,Joe Biden,1,0.1\r\n566,10/16/2020,joebiden bidentownhall election2020  majorlazer u2 ratm,United States of America,Colorado,CO,Joe Biden,1,0.3\r\n567,10/16/2020,joebiden can go to bed after breakfast since the media do his campaigning for him,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n568,10/16/2020,joebiden can you explain what this text from your son hunter biden means,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n569,10/16/2020,joebiden confirmed his town hall last week. trump confirmed his with nbcnews this week shameonnbc for not moving lying trump\xe2\x80\x99s to tomorrow,United States of America,Michigan,MI,Joe Biden,0,-0.3\r\n570,10/16/2020,joebiden great job tonight joe you tell us your plans and how you\xe2\x80\x99re going to accomplish things. realdonaldtrump tells his people nothing of substance. full steam ahead joebiden bluewave dumptrump,United States of America,California,CA,Joe Biden,1,0.1\r\n571,10/16/2020,joebiden is a good person and a genuine human being. low bar you say then why is it so damn rare joebiden senkamalaharris vote votebidenharris2020 votebluetoendthisnightmare,United States of America,California,CA,Joe Biden,1,0.1\r\n572,10/16/2020,joebiden is a nasty human being who lied his way to power corruptjoebiden crookedjoebiden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.9\r\n573,10/16/2020,joebiden is an honorable man. a good man. he will be the president america needs to begin healing from the cancer named trump,United States of America,Minnesota,MN,Joe Biden,1,0.5\r\n574,10/16/2020,joebiden is as appealing to me as a stomach flu. i just wish it was anybody but joe as the democratic frontrunner. i would sooner vote for a rock on the ground than him any day,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n575,10/16/2020,joebiden is awesome at his town hall. he\xe2\x80\x99s clear detailed substantive responsive engaging. this is the president we need and deserve. bidenharristosaveamerica voteearly votebluedownballot,United States of America,California,CA,Joe Biden,1,0.6\r\n576,10/16/2020,joebiden is doing just fine over on abc. facts competence detailed knowledge of the issues. almost too much info. but reality is it\xe2\x80\x99s win-win   trump still shows what a nutcase he is  and joe gets his message out,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n577,10/16/2020,joebiden is handing asses in hands all over the place,United States of America,California,CA,Joe Biden,0,-0.7\r\n578,10/16/2020,joebiden is losing at his own debate and he's by himself.. omg \xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,Wisconsin,WI,Joe Biden,0,-0.7\r\n579,10/16/2020,joebiden is ok with 1st graders deciding their gender \xe2\x80\x98 transitioning their bodies. what kind of a sick pervert are you joebiden these children can\xe2\x80\x99t decide what their favorite color is yet pervertbiden joebidentownhall joebidentransgender whereshunter transgender kag,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n580,10/16/2020,joebiden just won the election... if you compare town halls. he wiped the floor with trump on a scale not seen in a long time. trump dodged questions biden answered them even saying his crime bill was a mistake.. tonight he is a hero.,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n581,10/16/2020,joebiden kamalaharris ... please won\xe2\x80\x99t you be my neighbor kamalaharris joebiden,United States of America,Oregon,OR,Joe Biden,0,-0.1\r\n582,10/16/2020,joebiden middle name is wong \xf0\x9f\x98\xad,United States of America,Connecticut,CT,Joe Biden,2,0\r\n583,10/16/2020,joebiden might be a dumbass he just said trumps foreign policy doesn\xe2\x80\x99t deserve any credit for 3 levels of middle east peace,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n584,10/16/2020,joebiden said that if an 8 year old wants to be transgender that it \xe2\x80\x9cwould make my life easier\xe2\x80\x9d that\xe2\x80\x99s ok by him.  an 8 year old. bidenharris2020 leftism,United States of America,Illinois,IL,Joe Biden,1,0.2\r\n585,10/16/2020,joebiden us a train wreck. he has no substance or says what he's going to do he just says i'm going to do the opposite of the president. he's just an angry white dude that's corrupt. in front of the 20 people that are there. bidencrimefamily,United States of America,New York,NY,Joe Biden,0,-0.1\r\n586,10/16/2020,joebiden wasn't flashy. he wasn't full of hyperbole. he knew his policies. he defended them admirably. he called out the president's failures professionally. he is a man worthy of the measure of the office. dignity is on the ballot.,United States of America,Kentucky,KY,Joe Biden,1,0.2\r\n587,10/16/2020,joebiden- you support armenianterror armenianterrorism,United States of America,Texas,TX,Joe Biden,1,0.1\r\n588,10/16/2020,joebidensneighborhood joebiden votebiden,United States of America,Hawaii,HI,Joe Biden,1,0.3\r\n589,10/16/2020,joebidentownhall joebiden thinks 8 year olds should be able to make a permanent change to the body and transition ..  let's have a open discussion,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n590,10/16/2020,joerogan have you invited both candidates to be a guest on your show those are the interviews everyone would watch. i sure would. you'd be great trump biden,United States of America,California,CA,Joe Biden,1,0.4\r\n591,10/16/2020,joetalkshow gstephanopoulos i thought it was coherent articulate and thank god boring.  no drama biden.  i can't effing wait for joebiden to win over the ratings chaser donaldtrump,United States of America,New York,NY,Joe Biden,0,-0.2\r\n592,10/16/2020,jonathanvswan still\xf0\x9f\xa6\x97\xf0\x9f\xa6\x97\xf0\x9f\xa6\x97\xf0\x9f\xa6\x97\xf0\x9f\xa6\x97 from you on biden and burisma  just investigate each side of the aisle equally. that\xe2\x80\x99s all american citizens truly want from their press. unbiased and searching for and reporting the truth,United States of America,Tennessee,TN,Joe Biden,2,0\r\n593,10/16/2020,jonfavs the fact that biden is still taking questions even though the mics are off speaks volumes about his dedication to the voters. he wants to make sure everyone is heard. it's warming my cold heart.,United States of America,Texas,TX,Joe Biden,1,0.6\r\n594,10/16/2020,jonkarl gtconway3d realdonaldtrump and biden has a comfortable chair. just saying...,United States of America,New Mexico,NM,Joe Biden,1,0.3\r\n595,10/16/2020,jonkarl tomarnold realdonaldtrump i am a trump supporter and i watched biden last night to see what he would answer as i think most other trump voters did news rating trump biden,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n596,10/16/2020,jtlevy except it\xe2\x80\x99s not. this exercise in needless contortion facilitates a biden presidency unacceptable to any conservative.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n597,10/16/2020,just checking if twitter still censoring this biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n598,10/16/2020,just in time for dueling town halls with donaldtrump &amp; joebiden election2020 hashtag political reporters need this,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n599,10/16/2020,just love joebiden,United States of America,North Carolina,NC,Joe Biden,1,0.9\r\n600,10/16/2020,kayleighmcenany realdonaldtrump amazing biden,United States of America,Texas,TX,Joe Biden,1,0.9\r\n601,10/16/2020,kimopperman corruptjoebiden  bidencrimefamily dirtypolitics manchuriancandidate obamaspuppet biden  fakenews potus joebiden chinaboyjoe corruptjoebiden mainstreammedia,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n602,10/16/2020,know your parasites  dumptrump putinspuppet  bidenharris joebiden trumpterrorist americandisgrace where can i get this shirt,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n603,10/16/2020,krunk84 division and dissent are what lifted trump into the presidency and he has worked hard to further promote those ill feelings among americans. we have to forgive one another in order to clear our path back to our unified country. joebidenkamalaharris2020 joebiden joebiden2020,United States of America,South Carolina,SC,Joe Biden,1,0.1\r\n604,10/16/2020,kylegriffin1 yashar got my ballot today and dropping off tomorrow on my way to work and did some donating while im at it biden vote,United States of America,Washington,WA,Joe Biden,1,0.5\r\n605,10/16/2020,ladies and gents i am happy to report that national security  is on the list of topics for the upcoming presidential trump biden debate on oct 22 nerdalert,United States of America,District of Columbia,DC,Joe Biden,1,0.6\r\n606,10/16/2020,larryhogan i see that the maryland gov. cast his ballot for ronaldreagan a dead racist. what a waste they're only two choices in this election joebiden and donaldtrump. if you don't like the incumbent vote for the challenger. it's that simple. dontwasteyourvote,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n607,10/16/2020,larryhogan right idea. stupid response. why didn't you cast a meaningful vote for joebiden instead of wasting it. sorry pal nothing to brag about. it's a really schmucky statement on your part.,United States of America,New York,NY,Joe Biden,0,-0.3\r\n608,10/16/2020,latinogreeksforbidenharris bidenharris2020 joebiden kamalaharris latinogreeks latinx fraternity sorority,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n609,10/16/2020,lawrence realdonaldtrump joebiden i have a question for the trump supporters doesn\xe2\x80\x99t he get tired of the divisiveness the attacks  instead of dividing the country at the end of the day his goal should be making the country great. not divide it even more. that\xe2\x80\x99s why im voting biden.,United States of America,New York,NY,Joe Biden,0,-0.3\r\n610,10/16/2020,lazykat33 rkellernews clbd1891 hodakotb savannahguthrie joebiden thinks he\xe2\x80\x99s running for senate lol.  dementiajoe,United States of America,New York,NY,Joe Biden,2,0\r\n611,10/16/2020,lcsenecal projectlincoln i sure did. i voted on tuesday.  voteforamericaselfie votebidenharris2020 biden bidenharris2020 turntexasblue,United States of America,Texas,TX,Joe Biden,1,0.2\r\n612,10/16/2020,lets set the record straight.  trump biden coronavirus covid19 cnntownhall,United States of America,Michigan,MI,Joe Biden,2,0\r\n613,10/16/2020,let\xe2\x80\x99s go joe. nbcblackout joebiden,United States of America,Tennessee,TN,Joe Biden,1,0.4\r\n614,10/16/2020,let\xe2\x80\x99s start blamebiden blameobama because right in trading they started blametrump &amp; nothing is our president realdonaldtrump fault for the way america is it\xe2\x80\x99s all biden &amp; obama,United States of America,New Jersey,NJ,Joe Biden,0,-0.6\r\n615,10/16/2020,lisa_matassa mrrogers biden bidenwonthedebate,United States of America,California,CA,Joe Biden,1,0.3\r\n616,10/16/2020,lisastark351 me and my wife in virginia. biden and bluedownballot.,United States of America,Virginia,VA,Joe Biden,0,-0.1\r\n617,10/16/2020,live - disastrous townhalls for biden and trump  jennelizabethj jordanchariton statuscoup,United States of America,Illinois,IL,Joe Biden,0,-0.6\r\n618,10/16/2020,lockhimup joebiden hunterbiden,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n619,10/16/2020,love icecube but my dude... why now can you possibly get a promise from realdonaldtrump worth hanging your hat on if you like joebiden or not you\xe2\x80\x99re not a stupid man you really expect more for our community from trump than biden \xf0\x9f\xa4\x94\xf0\x9f\xa4\x94\xf0\x9f\xa4\x94barackobama jadapsmith,United States of America,New York,NY,Joe Biden,0,-0.7\r\n620,10/16/2020,love this lady she's leaning biden but knows exactly how to manipulate this egomaniac did you see how he smiled when she said he's so handsome too funny... trump,United States of America,New York,NY,Joe Biden,1,0.3\r\n621,10/16/2020,luckyluci777 cbsnews we will agree to disagree. i wouldn't vote for trump for ant stomper and what comes out of our mouth is what is in our heart and trump every single day is an angry man-child. no thank you. trump is the devil. biden,United States of America,Tennessee,TN,Joe Biden,0,-0.5\r\n622,10/16/2020,make america boring again. i mean that in the best possible way. biden bidenharris2020 makeitstop dumptrump,United States of America,California,CA,Joe Biden,2,0\r\n623,10/16/2020,mark levin 10/16/2020 | the mark levin show october 16 2020 | mark levi...  via youtube biden harris coronavirus msm emails hunterbiden drugs russia hillaryclinton socialismkills buildthewall trump2020landslide maga,United States of America,California,CA,Joe Biden,2,0\r\n624,10/16/2020,matthewjdowd joebiden is more and more comfortable with being who he is ...made great contact with the people asking questions...bidensincere,United States of America,Colorado,CO,Joe Biden,1,0.8\r\n625,10/16/2020,me biden bidenharris,United States of America,New York,NY,Joe Biden,1,0.7\r\n626,10/16/2020,meanwhile over at the biden town hall the head of the biden crime family is bumbling stumbling and making no sense.  maga trump2020,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n627,10/16/2020,mercedesschlapp joebiden abcpolitics what a compliment for biden \xf0\x9f\x91\x8f\xf0\x9f\x91\x8f\xf0\x9f\x91\x8f bidentownhall,United States of America,Pennsylvania,PA,Joe Biden,1,0.9\r\n628,10/16/2020,merriamwebster  biden just said the definition of \xe2\x80\x9ctransgender\xe2\x80\x9d should include the word \xe2\x80\x9cchoice\xe2\x80\x9d somewhere in it. just so we\xe2\x80\x99re fair.,United States of America,Kentucky,KY,Joe Biden,0,-0.3\r\n629,10/16/2020,message from our president catholics bioethics and voting.  usccb catholicmed ascensionhealth osv bioethics medicalethics catholicchurch trump biden voting,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n630,10/16/2020,michaelsteele joebiden realdonaldtrump biden stamina. trump no so much bluewave2020 bidenharris gotv,United States of America,Texas,TX,Joe Biden,2,0\r\n631,10/16/2020,michigan's macombcounty is a crucial blue-collar battleground for trump and biden,United States of America,Wisconsin,WI,Joe Biden,1,0.4\r\n632,10/16/2020,minutoaminuto coberturaespecial  elecciones2020 eeuu trump biden estadosunidos,United States of America,Florida,FL,Joe Biden,2,0\r\n633,10/16/2020,monctonsjlawyer are you sniffing joebiden again or hitting hunterbidencrackpipe,United States of America,New York,NY,Joe Biden,0,-0.5\r\n634,10/16/2020,most radicalliberal in congress ever... algore 2000 johnkerry 2004 hillaryclinton 2006 barackobama 2006 hillaryclinton 2016 joebiden 2020 \xf0\x9f\x98\xb3\xf0\x9f\x98\xb3\xf0\x9f\x98\xb3 have these people ever heard of berniesanders \xf0\x9f\xa4\x94\xf0\x9f\xa4\x94\xf0\x9f\xa4\x94 biden a liberal do they even know what liberal means,United States of America,New York,NY,Joe Biden,0,-0.3\r\n635,10/16/2020,mpiatt3 biden and his son are puppet of china,United States of America,Washington,WA,Joe Biden,0,-0.3\r\n636,10/16/2020,my earlyvote made it to the pima county recorder my signature has been verified and will be included in the next batch that is processed. go biden kamala democrats education resist resistance -- and everyone working together to take our country back arizona tucson,United States of America,Arizona,AZ,Joe Biden,2,0\r\n637,10/16/2020,my goodness a leader who actually listens responds thoughtfully carries a \xe2\x80\x9cfact card\xe2\x80\x9d w/tax cut info so he can answer his question accurately... what is this normalcy i\xe2\x80\x99m so happy i voted early vote votebidenharristosaveamerica votebidenharris2020 biden  bidentownhall,United States of America,Texas,TX,Joe Biden,1,0.7\r\n638,10/16/2020,my number of views have gone down to the single digits since i tried to post on the new york you know what article about you know who. that has never happened so let's try this i love biden. i love twitter. we'll see what happens.,United States of America,Florida,FL,Joe Biden,1,0.2\r\n639,10/16/2020,nbc has bombarded question i wish news outlets did this in fairness to biden trump2020,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n640,10/16/2020,nbc made a brilliant decision by giving trump time. he is biden's best spokesperson. trumpisalaughingstock bidentownhall bidenharris,United States of America,New York,NY,Joe Biden,1,0.6\r\n641,10/16/2020,nbcnews says a voter is \xe2\x80\x9cundecided\xe2\x80\x9d who voted for hillary clinton and is leaning toward biden. \xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n642,10/16/2020,newspeak mag ends 2 minute hate on unperson trump to report on crimethink thefaction1776 placing ungood billboard of inner party goodthinker joebiden as swampthing. thinkpol biden2020 in pursuit of faction\xe2\x80\x94will send to joycamp. long live big brother,United States of America,California,CA,Joe Biden,2,0\r\n643,10/16/2020,nicolledwallace noelle_salazar i wholeheartedly agree wow what a spectacular campaign ad i hope to see it running in michigan that shows who biden is &amp; why he\xe2\x80\x99ll make a great president votebidenharris2020,United States of America,Michigan,MI,Joe Biden,1,0.7\r\n644,10/16/2020,no court packing. no biden no harris - we want freedom not a democrat jail.,United States of America,Arizona,AZ,Joe Biden,0,-0.7\r\n645,10/16/2020,no hate on biden because most people who\xe2\x80\x99ve never used a firearm or been in a physical confrontation think the same way. however anyone with extensive training or experience in firearms knows this is just wrong joebiden 2a police firearms,United States of America,California,CA,Joe Biden,0,-0.6\r\n646,10/16/2020,no problem with how trump was treated but the warm bath was actually being drawn for biden by gstephanopoulos.,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n647,10/16/2020,not a loaded question.. finishing up the trumptownhall.  savannahguthrie did all she could to advocate for joebiden.  i have the bidentownhall -- should i watch it,United States of America,Texas,TX,Joe Biden,2,0\r\n648,10/16/2020,not one tough or simi-challenging question. so sick of these faketownhalls with biden. everything with him is pampered/scripted townhallsofball bidensoftball bidensnowflaketownhall bidenisweak unfair trump2020,United States of America,California,CA,Joe Biden,0,-0.5\r\n649,10/16/2020,of all the positive things i have heard about joebiden this letter speaks volumes of his integrity and compassion for others.,United States of America,Washington,WA,Joe Biden,1,0.9\r\n650,10/16/2020,oh in case you missed it last night trump refused to call himself pro-life.  i personally know people who voted for him for this one issue.  accept it he lied to you.  he has always been pro-choice.  trumpisprochoice trumpisalaughingstock joebiden bidenharris2020 biden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n651,10/16/2020,only biden not giving trump any air time. reading others comment about it. maybe he didn't do himself such a big favor but then when does he. bidenharris,United States of America,Oregon,OR,Joe Biden,2,0\r\n652,10/16/2020,oreo reactions about the upcoming presidential election \xf0\x9f\xa4\xa3 makeoreohappy and vote trump out elections2020 joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n653,10/16/2020,over 125 mayors across pa. announce they're backing biden for president bidentownhall    via pittsburghpg,United States of America,California,CA,Joe Biden,0,-0.2\r\n654,10/16/2020,paraphrased \xe2\x80\x9cif i\xe2\x80\x99m elected president you won\xe2\x80\x99t see me race baiting. because i\xe2\x80\x99m here to unify. the people need hope. the people are ready they understand. if i get elected i\xe2\x80\x99m going to be america\xe2\x80\x99s president. we need to heal the 21st century and we can\xe2\x80\x99t do it divided.\xe2\x80\x9d biden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n655,10/16/2020,pcny_nyc finally w the choice we face it doesn\xe2\x80\x99t matter to me. joe biden could not know his name &amp; i\xe2\x80\x99d be strongly for him. more importantly practically the public seems onboard w biden as the more mentally fit candidate. if he loses won\xe2\x80\x99t be bc folks think he\xe2\x80\x99s gone,United States of America,New York,NY,Joe Biden,2,0\r\n656,10/16/2020,pcny_nyc i respect you &amp; your degrees very much lee &amp; almost always value your opinion. i\xe2\x80\x99m hardly an m.d. i have closely followed biden for years . unless you\xe2\x80\x99ve had a chance to examine and test mr. biden personally or are privy to results of such in this instance not interested.,United States of America,New York,NY,Joe Biden,2,0\r\n657,10/16/2020,people see joebiden grafting money for his son and think it's all negative. but that's not how economics works. for instance think how well hunterbiden's drug dealer did.,United States of America,California,CA,Joe Biden,0,-0.7\r\n658,10/16/2020,perpetrator and accomplice white house was warned giuliani was target of russian intelligence operation to feed misinformation on biden to trump,United States of America,New York,NY,Joe Biden,0,-0.7\r\n659,10/16/2020,personally i don't think trump or biden are presidential quality but for all the trump haters the smart thing to do would be to vote for trump. if you can stand four more years of him then you're done with him. put someone else in there and he could run again in the future.,United States of America,Tennessee,TN,Joe Biden,0,-0.4\r\n660,10/16/2020,pete getting a shoutout / referenced by biden during the presidential town hall is pretty badass. i can\xe2\x80\x99t wait to see where he ends up in the administration. debates,United States of America,Georgia,GA,Joe Biden,1,0.5\r\n661,10/16/2020,piden a trump y biden que impidan deportaci\xc3\xb3n de 22 millones de personas impactolatino nacional trump joebiden pol\xc3\xadtica inmigraci\xc3\xb3n deportaci\xc3\xb3n,United States of America,New York,NY,Joe Biden,0,-0.1\r\n662,10/16/2020,pj_lowry vampwritergrrl dantoujours eveldick so the allegation from rudy is that china has pictures of hunter on crack - and so can control joebiden as potus.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n663,10/16/2020,please don't pay attention to anyone or source publishing poll numbers..wayy too soon. race is much closer vote continue to talk your family/friends into voting and of course votebidenharris2020--spread the word retweet send them links to city/state info etc. joebiden,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n664,10/16/2020,please god give us joebiden \xf0\x9f\x99\x8f bidentownhall,United States of America,New York,NY,Joe Biden,0,-0.3\r\n665,10/16/2020,porschagirl4198 kayyroarr so why doesn\xe2\x80\x99t biden have to answer the hard questions hunterbidenemails hunterbidensukrainescandal\xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f trumppence2020,United States of America,New York,NY,Joe Biden,0,-0.3\r\n666,10/16/2020,postlocal yeah if he voted for joebiden no one would have known dumbass \xf0\x9f\x98\xa1,United States of America,Illinois,IL,Joe Biden,0,-0.5\r\n667,10/16/2020,potus donaldtrump vs joebiden,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n668,10/16/2020,president biden will be sincere.,United States of America,New York,NY,Joe Biden,1,0.5\r\n669,10/16/2020,prisonplanet under joebiden\xe2\x80\x99s criminal reform policy he would have been shot in the leg.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n670,10/16/2020,projectlincoln thanks. watching biden and i\xe2\x80\x99m impressed,United States of America,California,CA,Joe Biden,1,0.8\r\n671,10/16/2020,psu_blaze oh but it did. the separate situation was ideal in the case of this sociopathic maniac trump. we got biden reasonable dignified relaxed focused relatable thoughtful interested dialogueactual care for improvement on the life of americans. bidenwonthedebate hands down,United States of America,California,CA,Joe Biden,1,0.5\r\n672,10/16/2020,ratings biden surprise victory over trump in tv town hall tug of war 12 million vs. 10 million huge win in key demo 18-49  via showbiz411,United States of America,New York,NY,Joe Biden,1,0.1\r\n673,10/16/2020,read this thread. hunterbidenemails should have come to light more than a year ago. our fbi is a mess joebiden realdonaldtrump,United States of America,Georgia,GA,Joe Biden,0,-0.5\r\n674,10/16/2020,realdonaldtrump how do you have time to run a country when all you literally do is tweet &amp; golf biden \xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Massachusetts,MA,Joe Biden,0,-0.3\r\n675,10/16/2020,realdonaldtrump thebabylonbee great town hall session mr. president. joebiden was terrible. he looked confused and indecisive. this is why america needs another 4 years of trump,United States of America,New York,NY,Joe Biden,0,-0.1\r\n676,10/16/2020,realdonaldtrump there\xe2\x80\x99s a rumor that more americans watched joebiden last night than you. i watched too. it was great nobody\xe2\x80\x99s ever seen anything like it it really was the best amazing vote,United States of America,Texas,TX,Joe Biden,2,0\r\n677,10/16/2020,realdonaldtrump this morning on foxandfriends rudy said biden's son's lawyer had made a big mistake because he called him to ask for biden's son's computer back,United States of America,Nevada,NV,Joe Biden,0,-0.6\r\n678,10/16/2020,realdonaldtrump very strong for joebiden trump you loser,United States of America,North Carolina,NC,Joe Biden,0,-0.5\r\n679,10/16/2020,realdonaldtrump votehimout bidenharris2020 trumpisalaughingstock biden,United States of America,Missouri,MO,Joe Biden,1,0.3\r\n680,10/16/2020,realdonaldtrump you got beat in tv ratings by biden. season 5 of the white house apprentice is cancelled \xf0\x9f\x98\x82\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82\xf0\x9f\xa4\xa3\xf0\x9f\x98\x8e,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n681,10/16/2020,realdonaldtrump you\xe2\x80\x99re getting voted out. biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n682,10/16/2020,realjameswoods blm notwhileimeating antifaterrorists trump biden itsajoke relax broke nopolitics,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n683,10/16/2020,really awesome news joebiden defeated trump in the tvratings during the dual townhallmeetings on thursday night october 15 2020 joebiden beat trump by nearly a million more viewers,United States of America,District of Columbia,DC,Joe Biden,1,0.9\r\n684,10/16/2020,recall biden comparing trump to goebbels. aside from being an abomination in the face of the history of the holocaust such a statement is incredibly/irresponsibly incendiary .. at a time when violence against trump supporters is escalating.,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n685,10/16/2020,reduxzepp mainly sarcastic about trump... bad use of hashtags. mrrogers biden bidenwonthedebate,United States of America,California,CA,Joe Biden,0,-0.4\r\n686,10/16/2020,reedsandrods ryanstruyk if he'd taken this tone from the outset &amp; then behaved in  manner consistent with that tone who knows how things turn out. not suggesting race is over but overwhelming data that great majority of folks are decided &amp; 16.2% of '16 turnout has already voted. too late. biden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n687,10/16/2020,reminder for us mister rogers fans november 3rd is the  season premiere of mister biden's neighborhood...make sure to tune in mrrogers joebiden election2020,United States of America,Washington,WA,Joe Biden,1,0.4\r\n688,10/16/2020,repsforbiden i haven\xe2\x80\x99t watched a single second of nbc - biden is talking presidential and isn\xe2\x80\x99t unhinged,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n689,10/16/2020,resist bluewave blm lbgtq nevergiveup biden/harris 2020 resister voteblue \xf0\x9f\x8c\x8a fbr \xf0\x9f\x8c\x8a,United States of America,California,CA,Joe Biden,1,0.2\r\n690,10/16/2020,rickgaetz got rickrolled by gophypocrisy .... hilarious    forresttrump votebidenharris2020 voteearly floridablue demsforflorida philehr biden trumpcrimefamily voteblue2020,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n691,10/16/2020,rosie\xe2\x80\x99s new joebiden no meolarkey collar election2020,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n692,10/16/2020,rudy giuliani is my father. please everyone vote for joe biden and kamala harris.  via vanityfair biden trump,United States of America,California,CA,Joe Biden,1,0.2\r\n693,10/16/2020,saffron007 frankluntz \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3 biden should just do an ad with clips of this. or lincolnproject. he\xe2\x80\x99s insane.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n694,10/16/2020,sanityends wrsocially breaking911 i didn\xe2\x80\x99t stereotype the right. i simply pointed out that trump would never sit down with a guy like charlemagne tha god &amp; answer the type of tough questions biden did. trump thinks chris wallace is a tough interview because he\xe2\x80\x99s not a 100% sycophant.,United States of America,California,CA,Joe Biden,0,-0.4\r\n695,10/16/2020,saw trump. nothing is different. he's reacting and all over the place and not comfortable in his own skin. saw biden. he's thinking. focused. comfortable with who he is. the choice this year is binary. debates2020 abc nbc,United States of America,California,CA,Joe Biden,1,0.1\r\n696,10/16/2020,see more great cartoons from across the usa today network by clicking here  voteearly vote votersuppression biden trump freep usatodayopinion,United States of America,Michigan,MI,Joe Biden,1,0.5\r\n697,10/16/2020,sfchronicle no school should be named after a democrat. democrats are racists. they spew racism and hatred on a daily basis. joebiden is the most racist of them all. you have black racists and you have white racists spewing out of the democrat party exploiting minorities at every turn.,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n698,10/16/2020,shell122768 twitter locking people out for people sharing the biden story. they even got my girl presssec . democrats taking a play from the hitler's playbook with media and propaganda. \xf0\x9f\x99\x8f for the unitedstates,United States of America,Texas,TX,Joe Biden,2,0\r\n699,10/16/2020,silicon valley is building a chinese-style social credit system  bigtech art artificialintelligence software socialmedia bigdata biden trump aws ico bb22 tech technews datascience data eyeswideopen china coffee wakeup lonely 5g,United States of America,California,CA,Joe Biden,2,0\r\n700,10/16/2020,smartjoebiden  has a solid plan. joebiden is inveiling his plan. i have heard a trumpplan; have you wddwm,United States of America,Arkansas,AR,Joe Biden,1,0.1\r\n701,10/16/2020,smithblindlib5 \xf0\x9f\x92\x99vote votelikeits2012\xf0\x9f\x92\x99votethemallout2020\xf0\x9f\x92\x99 votebluetosaveamerica votebidenharris2020\xf0\x9f\x92\x99 votebluetoendthisnightmare\xf0\x9f\x92\x99voteblue2020\xf0\x9f\x92\x99 bluewave2020\xf0\x9f\x92\x99votebluetosaveamerica2020\xf0\x9f\x92\x99 voteblue joebiden \xf0\x9f\x92\x99bluebidenharris2020\xf0\x9f\x92\x99 bidenharris \xf0\x9f\x92\x99 votebluenomatterwho\xf0\x9f\x92\x99 saveamerica,United States of America,California,CA,Joe Biden,1,0.5\r\n702,10/16/2020,so along with 47 years of doing nothing in government joebiden was also a police officer \xf0\x9f\x98\x82\xf0\x9f\x98\x82. i wouldn\xe2\x80\x99t/couldn\xe2\x80\x99t be a police officer if he is president. their job is hard enough as it is. joebiden joebiden2020 backtheblue,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n703,10/16/2020,so far..joebiden is slaying it's so refreshing to hear a normal competent human speak to us \xf0\x9f\xa4\x97 bidentownhall,United States of America,Texas,TX,Joe Biden,1,0.9\r\n704,10/16/2020,so i watched some of trump last night. so i was switching back and forth. even if the ratings counted me as a trump watcher i don't care. i do care about dropping off my ballot in 3 days. the ballot where i filled in the little circle choosing joebiden kamalaharris.,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n705,10/16/2020,so many actors are talking about filming in vancouver. i hope joebiden and senkamalaharris work with the industry to bring more filming and the jobs that go with it back to the unitedstates when they take office in 2021. biden bidenharrislandslide2020,United States of America,New York,NY,Joe Biden,2,0\r\n706,10/16/2020,so obviously biden won. he was pleasantly boring civil logical and caring. trump lost because he\xe2\x80\x99s nothing more than an idiot who can\xe2\x80\x99t even condemn ridiculous conspiracy theorists. townhall townhalls,United States of America,Arizona,AZ,Joe Biden,0,-0.1\r\n707,10/16/2020,sofieghosthuntr usatoday 46 years or racism. tell me a couple of the biden achievements besides iran partnership in killing gays jews christians and his racism,United States of America,Massachusetts,MA,Joe Biden,0,-0.7\r\n708,10/16/2020,someone is going to lose his mind bidentownhall nbctownhall abctownhall joebiden votebidenharris2020,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n709,10/16/2020,special biden webinar for women entrepreneurs. businesses owned by women have been hit the hardest by this pandemic. bidenharris will help us. vote,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n710,10/16/2020,steverustad1 trump has never cared. bidenharrislandslide2020 biden bidenharrislandslide2020,United States of America,New York,NY,Joe Biden,0,-0.2\r\n711,10/16/2020,strandjunker projectlincoln we can vote him out. voteforher biden bidenharris2020 onev1,United States of America,California,CA,Joe Biden,1,0.2\r\n712,10/16/2020,surprise he\xe2\x80\x99s draining...i mean creating...a swamp..... trump1820  when men were surly men and people were barely educated  biden bidenharris fbr votebidenharris debates2020 bidenwillcrushcovid,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n713,10/16/2020,thank you biden for mentioning our murdered black trans sisters. bidentownhall lgbtqia transrights love onelove blm,United States of America,California,CA,Joe Biden,1,0.6\r\n714,10/16/2020,the biden prosecution in ukraine is still progressing; why didn't stephanopoulos ask him about this or hunterbidenemails realdonaldtrump,United States of America,Louisiana,LA,Joe Biden,0,-0.3\r\n715,10/16/2020,the biden tv ads are laughable. there\xe2\x80\x99s one on hgtv\xe2\x80\x94aimed at women no doubt\xe2\x80\x94saying that ol creepy sleepy doesn\xe2\x80\x99t want to be the center of attn doesn\xe2\x80\x99t need to see himself on tv. oh &amp; he ended the recession.\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 joe\xe2\x80\x99s in big trouble.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n716,10/16/2020,the jarring contrast between trump and biden explained in 3 moments from their competing townhalls  via voxdotcom news trumpambraced qanon bidenembraced science election2020 elections2020 electionday 2020election bidenharris2020,United States of America,Texas,TX,Joe Biden,2,0\r\n717,10/16/2020,the latest headlines paulettedale really loves donaldtrump's smile trump fails to denounce qanon trump raises $135 million less than joebiden in september chrischristie was wrong it is time for diannefeinstein to go kudos to savannahguthrie,United States of America,Illinois,IL,Joe Biden,0,-0.6\r\n718,10/16/2020,the most refreshing part about this letter isn\xe2\x80\x99t the heartfelt condolence. it\xe2\x80\x99s the part where he admits a mistake and apologizes for it.  the fact that he includes a heartfelt message is just lagniappe. joebiden drbiden joebiden,United States of America,Texas,TX,Joe Biden,2,0\r\n719,10/16/2020,the potus doesn\xe2\x80\x99t know who he borrowed $400m from - or if he stuck cotton swabs up his nose the day of the debate.  and apparently it\xe2\x80\x99s joebiden that\xe2\x80\x99s senile.  right,United States of America,New York,NY,Joe Biden,0,-0.3\r\n720,10/16/2020,the rnc filed a complaint with the fec and claimed that online censorship by twitter of a nypost article about hunterbiden\xe2\x80\x99s business dealings in ukraine and china is an \xe2\x80\x9cillegal corporate in-kind political contribution\xe2\x80\x9d to joebiden\xe2\x80\x99s campaign.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n721,10/16/2020,the state of affairs... duelingtownhalls townhalls trump biden thebuffalonews,United States of America,New York,NY,Joe Biden,2,0\r\n722,10/16/2020,the stupidest thing joebiden said by accident is still smarter than anything trump ever said deliberately,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n723,10/16/2020,theauthorguy i'm not the biggest biden fan. make no mistake he's got my vote because he's not a monster like the other guy. that being said this shit made me laugh out loud. \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\x98\x82 vote voteearly voteready votethemallout,United States of America,Oregon,OR,Joe Biden,0,-0.2\r\n724,10/16/2020,thehfwarrior no. it\xe2\x80\x99s equally as dangerous as shooting them anywhere else. maybe nobody taught biden that there is a major artery in each leg that causes many gunshot victims to die from yearly.,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n725,10/16/2020,thehill any questions for joebiden about his corrupt son biden hunterbidenemails townhall,United States of America,Colorado,CO,Joe Biden,0,-0.6\r\n726,10/16/2020,thehill popular viewership goes to biden let's see how soon trump tweets that there were millions of illegal viewers. bidentownhall bidenharris2020 bluewave2020 maga kag,United States of America,New York,NY,Joe Biden,0,-0.1\r\n727,10/16/2020,thekjohnston mutetrump keep it biden - donthecon knows that bad press is good for his base ignoretrump focus on the bidenharris2020 narrative until electionday \xf0\x9f\x92\xaa\xf0\x9f\x8f\xbc\xf0\x9f\x92\x99\xf0\x9f\x92\xaa\xf0\x9f\x8f\xbc\xf0\x9f\x92\x99,United States of America,Texas,TX,Joe Biden,2,0\r\n728,10/16/2020,there goes biden stumping in michigan blaming trump for what michigan supreme court ruled witmer as overreaching her powers bidenharrislandslide2020 bidenharris2020tosaveamerica lol. democrat suck democrats lie democratsarecorrupt and don\xe2\x80\x99t know what they\xe2\x80\x99re doing,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n729,10/16/2020,this decision couldn't be partisan or anything right can a biden admin promise to offer federal relief if elected,United States of America,California,CA,Joe Biden,0,-0.7\r\n730,10/16/2020,this is still my favorite part of the evening carolinegiuliani biden,United States of America,District of Columbia,DC,Joe Biden,1,0.9\r\n731,10/16/2020,this morning on foxandfriends rudy  said biden's son's lawyer  had made a big mistake because he called him to ask for biden's son's computer back,United States of America,Nevada,NV,Joe Biden,0,-0.6\r\n732,10/16/2020,this right here. with a nina simone track no less. \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\x91\x8a biden joebiden joebiden2020,United States of America,California,CA,Joe Biden,1,0.2\r\n733,10/16/2020,this town hall run by nbc and this hack journalist is embarrassing and nothing more than a hit job tonight good lord i can\xe2\x80\x99t imagine biden enduring the same sht during his town hall,United States of America,Iowa,IA,Joe Biden,0,-0.8\r\n734,10/16/2020,this trump voter asking biden about the crime bill now is about as undecided as i am. bidentownhall,United States of America,Puerto Rico,PR,Joe Biden,0,-0.1\r\n735,10/16/2020,this trumptownhall is going to do wonders for biden - why the hell would he take part in this.....,United States of America,New York,NY,Joe Biden,0,-0.7\r\n736,10/16/2020,this what he thinks of us biden i don\xe2\x80\x99t care \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f how long ago it was,United States of America,Minnesota,MN,Joe Biden,0,-0.7\r\n737,10/16/2020,timothy34494753 vitticusr oh there was a trumper there trying to trip him up. anyone cld have submitted questions- even you. best \xe2\x80\x9cdebate\xe2\x80\x9d ever no interruptions. we got to see biden reasonable focused relatable thoughtful actual care for improvement on the life of americans. bidenwonthedebate,United States of America,California,CA,Joe Biden,1,0.2\r\n738,10/16/2020,timrunshismouth didn\xe2\x80\x99t have time. he rambled on with completely disconnected go nowhere meaningless answers that even dem hack gstephanopoulos   had to save joebiden from himself.,United States of America,Minnesota,MN,Joe Biden,0,-0.7\r\n739,10/16/2020,tinytrinaa but overall i am tired of debating with people about donny vs biden or republicans vs democrats cuz that shit goes left and people don\xe2\x80\x99t know how to conduct themselves. it\xe2\x80\x99s so draining,United States of America,California,CA,Joe Biden,0,-0.8\r\n740,10/16/2020,titusnation act like you're losing until someone tells you you won biden bidenharris bidenharristosaveamerica bidenharrislandslide2020,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n741,10/16/2020,to joebiden tonight,United States of America,New York,NY,Joe Biden,0,-0.2\r\n742,10/16/2020,tomborelli gstephanopoulos abc joebiden any questions for joebiden about his corrupt son biden hunterbidenemails,United States of America,Colorado,CO,Joe Biden,0,-0.6\r\n743,10/16/2020,tophertownmusic icecube if anyone believe trump is going to help black people they need to lay off the koolaide mrrogers biden bidenwonthedebate,United States of America,California,CA,Joe Biden,0,-0.5\r\n744,10/16/2020,townhall  takeaways biden at ease while trump struggles under pressure with the truth -,United States of America,New York,NY,Joe Biden,1,0.7\r\n745,10/16/2020,townhall townhalls bidentownhall trump biden nbc,United States of America,Georgia,GA,Joe Biden,2,0\r\n746,10/16/2020,trump and biden debate from a distance,United States of America,New York,NY,Joe Biden,2,0\r\n747,10/16/2020,trump asked once again about white supremacy qanon. biden asked about his favorite color.,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n748,10/16/2020,trump is fighting with audience members and moderator and constantly lying about everything. but yeah please tell me more about how joe biden cringely referencing the dairy queen frozen shit matters whatsoever to the national discourse,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n749,10/16/2020,trump realdonaldtrump kicked ass. savannah gutthrie should be ashamed of herself. she has never asked biden a tough question. dt handled himself perfectly. maga nbcnews,United States of America,Florida,FL,Joe Biden,1,0.2\r\n750,10/16/2020,trump refuses to say if he was tested for covid-19 before his debate with joe biden,United States of America,California,CA,Joe Biden,0,-0.7\r\n751,10/16/2020,trump trump2020 biden biden2020 election election2020 bidenharris bidenharris2020,United States of America,California,CA,Joe Biden,2,0\r\n752,10/16/2020,trump vote him out. awful human being. worse president. biden cares. texas   people should have spoken out earlier.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n753,10/16/2020,trump would have had a tantrum had it been him with gstephanopoulos. i have more respect for joebiden now abctownhall bidentownhall joebiden,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n754,10/16/2020,trumpisnotamerica joebiden is votelikeyourlifedependsonitbecauseitdoes votebidenharris,United States of America,Florida,FL,Joe Biden,1,0.1\r\n755,10/16/2020,trump\xe2\x80\x99s con isn\xe2\x80\x99t working because the american people like joe biden and know the truth about him. they also know the truth about donald trump.   via politicususa,United States of America,California,CA,Joe Biden,2,0\r\n756,10/16/2020,truthsovertrump 56blackcat joebiden any decent breathing human being should rise up and vote for joebiden,United States of America,Illinois,IL,Joe Biden,2,0\r\n757,10/16/2020,twitter embarks on censorship spree as biden expos\xc3\xa9s drop,United States of America,Illinois,IL,Joe Biden,0,-0.6\r\n758,10/16/2020,twitter locking people out for people sharing the biden story. they even got my girl presssec . democrats taking a play from the hitler's playbook with media and propaganda. \xf0\x9f\x99\x8f for the unitedstates,United States of America,Texas,TX,Joe Biden,2,0\r\n759,10/16/2020,twitter locks out wh press secretary kayleigh mcenany for sharing ny post hunter biden story,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n760,10/16/2020,twitter quickly changes its rules after lawmakers raise questions of fec violations after biden bombshell censorship,United States of America,Arizona,AZ,Joe Biden,0,-0.5\r\n761,10/16/2020,twitter shuts down entire network to stop spread of hunter biden e-mails.breakingnewsnow breaking_news breakingnews breakingnewz breakingnow breaking twitter twtr hunterbiden whereishunter whereshunter hunter twittercensorship twitterdown joebiden biden,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n762,10/16/2020,twitter twittersupport twittermedia jack seanhannity foxnews this story is false and has been debunked. schiff is a liar. how can this be posted but the biden laptop/email story is censored bias rule230,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n763,10/16/2020,twitter won\xe2\x80\x99t let me or anyone send any links to the nypost to expose biden family corruption. but you can link the same info through foxnews links &amp; avoid being censured. censorshipisreal,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n764,10/16/2020,twitter\xe2\x80\x99s ban almost doubled attention for biden misinformation mittechnologyreview,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n765,10/16/2020,typical of miamifakenews americateve lied to its audience. reporter daniel benitez reported that joebiden had declared intentions to pack the court. biden didn't say so. time to demand factchecking and rectification.,United States of America,California,CA,Joe Biden,0,-0.5\r\n766,10/16/2020,uglythehuman it is happening... mrrogers biden bidenwonthedebate,United States of America,California,CA,Joe Biden,1,0.1\r\n767,10/16/2020,unleashthetea realdonaldtrump ha ha that was stolen from biden supporters.,United States of America,California,CA,Joe Biden,0,-0.8\r\n768,10/16/2020,unlike first debate i think the town halls last night benefitted trump as he had to handle much tougher scrutiny. i expect the betting odds to get tighter than the current 66-34 biden lead. 18 days left and many already have voted. will the last debate happen will it matter,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n769,10/16/2020,upset mercedes i can see why your guy didn\xe2\x80\x99t do to well did he when you need qanon votes it\xe2\x80\x99s pretty bad gf. i will take mister rodgers every time against mister angry bc i\xe2\x80\x99m being held to account ticktocktrump bidenharris2020landslide biden,United States of America,Louisiana,LA,Joe Biden,0,-0.5\r\n770,10/16/2020,urdchan vitticusr joebiden that\xe2\x80\x99s actually trumps best. best debate ever. the separate situation was ideal in this case. biden has actual care for improvement on the life of americans. bidenwonthedebate hands down,United States of America,California,CA,Joe Biden,1,0.6\r\n771,10/16/2020,usatoday jobs vs mobs. trump vs biden,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n772,10/16/2020,vincenttringale what minority youth movement did the democrats pull biden from,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n773,10/16/2020,vote to get rid of the virus.  vote for biden.   i'm sick of this madness.,United States of America,Minnesota,MN,Joe Biden,0,-0.1\r\n774,10/16/2020,vote vote vote just because joebiden is winning hearts and minds he will still lose if we don\xe2\x80\x99t show up saveamerica,United States of America,California,CA,Joe Biden,0,-0.7\r\n775,10/16/2020,votebiden votebluetoendthisnightmare votethemallout biden bidenwonthedebate bidenharrislandslide2020 \xf0\x9f\x8c\x8a\xf0\x9f\x8c\x8a americafirst americaortrump magats wakeupamerica bidencares,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n776,10/16/2020,votebidenharris2020 election2020 joebidentownhall joebiden votebidenharris,United States of America,California,CA,Joe Biden,1,0.3\r\n777,10/16/2020,voters prefer a joebiden approach to healthcare over impeached president realdonaldtrump who's working hard to eliminate protections for pre-existing conditions defund medicare &amp; social security and promote deadly 'herd immunity' across america,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n778,10/16/2020,voting this year is more crucial than ever we can\xe2\x80\x99t afford to have an administration that promotes racism white supremacy anti lgbtq+ rights etc. vote for biden &amp; kamala the only candidates with a heart and the only ones that care about the future of america. vote biden,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n779,10/16/2020,wajahatali he\xe2\x80\x99s still taking questions. i feel like we should still be hearing from joebiden and not the abc talking heads.,United States of America,California,CA,Joe Biden,0,-0.5\r\n780,10/16/2020,washingtonpost most tuned in to see his response to hunterbidenemails and bidencrimefamily  but of course not a peep. biden always gets protection from media. trump2020,United States of America,Texas,TX,Joe Biden,1,0.3\r\n781,10/16/2020,watch live atlanta news update 3breaking news weather gawx alwx blm election vote trump protest riots biden covid19 coronavirus,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n782,10/16/2020,watch live maga rally in macon ga breaking news america world election vote2020 trump biden blm covid covid19 coronavirus alwx gawx atltraffic tornado severe tropics hurricane coronavirus flu,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n783,10/16/2020,watching biden on abc cause i don't need to hear any more lies from 45 on nbc. votebidenharris2020 vote,United States of America,California,CA,Joe Biden,1,0.1\r\n784,10/16/2020,watching joebiden tonight. he\xe2\x80\x99s talking about police reform and how he would do it. he said \xe2\x80\x9cde-escalate instead of anybody coming at ya and the first thing you do is shoot to kill you shoot em in the leg.\xe2\x80\x9d  i wouldn\xe2\x80\x99t elect this guy dog catcher let alone president.  biden,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n785,10/16/2020,watching joebiden townhall \xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xe2\x9c\xa8 2020election bidentownhall bidenharristosaveamerica2020,United States of America,Utah,UT,Joe Biden,1,0.3\r\n786,10/16/2020,watching on delay.  why does savannahguthrie keep on interrupting  she seems to think she's joebiden's proxy.  fakenews,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n787,10/16/2020,watching the real educated adults on abc. joebiden,United States of America,Missouri,MO,Joe Biden,1,0.3\r\n788,10/16/2020,we need a path out of impenetrable gridlock &amp; vicious sniping. in joebiden we\xe2\x80\x99ll have a leader who prioritizes common ground &amp; civility. if you\xe2\x80\x99re planning to cast a symbolic vote or abstain please reconsider. it is more important than ever to avoid complacency.6/6,United States of America,New York,NY,Joe Biden,2,0\r\n789,10/16/2020,weinsteinlaw veger70 act like you're losing until someone tells you you won biden bidenharris bidenharristosaveamerica bidenharrislandslide2020,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n790,10/16/2020,well. i guess hyperbole is the word of the night for the trump event. meanwhile biden talking abt the need for more psychologists on police calls.,United States of America,New York,NY,Joe Biden,0,-0.1\r\n791,10/16/2020,what a great feeling to have a man like joebiden bring presidential  back to the presidency votebidenharris  votebidenharristoendthisnightmare,United States of America,California,CA,Joe Biden,1,0.8\r\n792,10/16/2020,what a wonderful experience it is to hear an american leader speak the truth. thank you joebiden joebidenkamalaharris2020 joebidentownhall joebiden,United States of America,South Carolina,SC,Joe Biden,1,0.9\r\n793,10/16/2020,what do you guys think about how my boy joebiden tonight at the joebidentownhall,United States of America,Missouri,MO,Joe Biden,0,-0.3\r\n794,10/16/2020,who are you voting for  \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trump biden murphy,United States of America,New York,NY,Joe Biden,0,-0.2\r\n795,10/16/2020,whoa. voteearly biden votebidenharris \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99,United States of America,California,CA,Joe Biden,1,0.3\r\n796,10/16/2020,whowould joebiden pick to fill his cabinet  via voxdotcom news bidencabinet secretaryofstate secretaryofdefense bidenharris2020 bidenharris,United States of America,Texas,TX,Joe Biden,2,0\r\n797,10/16/2020,will america tear itself apart the supreme court 2020 elections and a looming constitutional crisis trump biden  via financialtimes,United States of America,New York,NY,Joe Biden,0,-0.8\r\n798,10/16/2020,winner of the separate presidential debates tonight trump chickened out is joe biden. articulate compassionate caring intelligent observant curious calm historian patriotic. joebiden   joebiden2020 joebidenkamalaharris2020,United States of America,District of Columbia,DC,Joe Biden,1,0.4\r\n799,10/16/2020,wjmcgurn thanks for your dead on comments on foxandfriends on courtpacking by biden.  he is playing games with americanvoters,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n800,10/16/2020,woah biden is from scranton  who knew scranton scranton scranton scranton,United States of America,Georgia,GA,Joe Biden,2,0\r\n801,10/16/2020,wow powerful &amp; accurate~ if biden were a republican  rkylesmith joebiden media,United States of America,Missouri,MO,Joe Biden,1,0.7\r\n802,10/16/2020,wow. giuliani\xe2\x80\x99s daughter endorsed biden,United States of America,New York,NY,Joe Biden,1,0.5\r\n803,10/16/2020,y0 if 0r when joebiden wins this election its gone b da same 0l bull shit  joe and karma aint gone do right by black people da fuck imah vote for gtfoh im wit drclaudanderson and icecube peace,United States of America,New York,NY,Joe Biden,0,-0.9\r\n804,10/16/2020,yeah bc they\xe2\x80\x99re sharpshooters &amp; have all the time in the world to aim for the leg. \xf0\x9f\x99\x84 dont you just love know-it-all politicians w/zero real-life experience telling cops what to do in the split-second they have to react this is precisely how cops get killed. biden moron,United States of America,New York,NY,Joe Biden,0,-0.4\r\n805,10/16/2020,yes when things get broken fred rogers' calm sensibility's exactly wht i need. so thanks mercedesschlapp 4 connecting joebiden wth mr. rogers. i didn't see it b4 but i do now. i like it did u see ths intended tweet insult last night thoughts dems,United States of America,Pennsylvania,PA,Joe Biden,1,0.4\r\n806,10/16/2020,yes you got to teach cops how to de escalate circumstances. make sure they have gone through the proper channels before hiring them. bidentownhall bidenonabc abctownhall biden vote,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n807,10/16/2020,ynb joebiden and remember who played misterrogers in the movie tomhanks. if nbcsnl was smart they\xe2\x80\x99d get tomhanks to play biden.,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n808,10/16/2020,you can\xe2\x80\x99t grow a tree by just watering the leaves/blooms. you have to water the roots. the working class is the roots of america. bidentownhall bidenharris biden,United States of America,Tennessee,TN,Joe Biden,2,0\r\n809,10/16/2020,you don't come at biden on foreign policy dear trump voter. joebiden knows foreignpolicy he respects our allies he calls out dictators.,United States of America,Colorado,CO,Joe Biden,2,0\r\n810,10/16/2020,y\xe2\x80\x99all joebiden stayed after the town hall was over to continue discussions with the audience. vote this sweet compassionate man in. joewillleadus debatenight debate debates2020\xc2\xa0 joebidentownhall bidentownhall maga trump watchingbiden biden,United States of America,Georgia,GA,Joe Biden,1,0.2\r\n811,10/16/2020,\xe2\x80\x98let\xe2\x80\x99s put joebiden in the white house. he\xe2\x80\x99ll be a solid 46\xe2\x80\x99 says w\xe2\x80\x99s alumni.  team46 trumpliedpeopledied votebluetoendthisnightmare,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n812,10/16/2020,\xe2\x80\x9camerica first had made america alone\xe2\x80\x9d literally could not have said this any better  thank you joebiden joebidentownhall bidenharris internationalrelations nbcblackout,United States of America,California,CA,Joe Biden,1,0.9\r\n813,10/16/2020,\xe2\x80\x9cif you don\xe2\x80\x99t vote you can\xe2\x80\x99t complain\xe2\x80\x9d. will you cast your vote on november 3rd i will check out my blog to find out how i feel during this election \xe2\x81\xa6coil\xe2\x81\xa9 \xe2\x81\xa6cinnamonvideo\xe2\x81\xa9 \xe2\x81\xa6ourblogginglife\xe2\x81\xa9 vote trump biden undecidedvoters \xf0\x9f\x98\xac,United States of America,New York,NY,Joe Biden,0,-0.1\r\n814,10/16/2020,\xe2\x80\x9cit\xe2\x80\x99s just common decency\xe2\x80\x9d joebiden townhall vpdebates2020,United States of America,California,CA,Joe Biden,0,-0.5\r\n815,10/16/2020,\xe2\x80\x9cthe economy is not going take a big hit due to the biden tax plan.\xe2\x80\x9d fox business guest cgasparino this morning. votebidenharris2020,United States of America,Washington,WA,Joe Biden,2,0\r\n816,10/16/2020,\xe2\x80\x9cyou are a traitor to the white race\xe2\x80\x9d said a donaldtrump supporter at the rally to a group of joebiden supporters. \xe2\x80\x9cyou are shameful.\xe2\x80\x9d election2020,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n817,10/16/2020,\xf0\x9f\x8c\x88\xf0\x9f\x8c\x88\xf0\x9f\x8c\x88\xf0\x9f\x8c\x88\xf0\x9f\x8c\x88\xf0\x9f\x8c\x88\xf0\x9f\x8c\x88\xf0\x9f\x8c\x88\xf0\x9f\x8c\x88\xf0\x9f\x8c\x88\xf0\x9f\x8c\x88biden transrightsarehumanrights transisbeautiful,United States of America,New York,NY,Joe Biden,1,0.4\r\n818,10/16/2020,\xf0\x9f\x91\x88 proud supporter of mrrogers. proud supporter of joebiden.,United States of America,Illinois,IL,Joe Biden,1,0.6\r\n819,10/16/2020,\xf0\x9f\x93\xa3 new podcast episode 63 - hip hop and the 2020 election on spreaker absenteeballot biden boogiedownproductions hiphop krs_one publicenemy rap suppression trump voteordie voting x_clan yellowpain,United States of America,Kentucky,KY,Joe Biden,2,0\r\n820,10/16/2020,\xf0\x9f\x98\xb2\xf0\x9f\xa4\x94obispo cat\xc3\xb3lico '\xe2\x80\x98cuestionar la fe de biden es repugnante\xe2\x80\x99\xe2\x80\x99  noticiascristianas catolicos joebiden politica eleccioneseneeuu eeuu,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n821,10/16/2020,\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3 hence why you dropped the unemployment rate even lower than what you got it as from bush \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3 okaygrandpa joebiden biden joebidencrimefamily,United States of America,Florida,FL,Joe Biden,1,0.1\r\n822,10/17/2020,\xf0\x9f\x9a\xa8\xf0\x9f\x9a\xa8\xf0\x9f\x9a\xa8\xf0\x9f\x9a\xa8\xf0\x9f\x9a\xa8 new joebiden merch alert get your shirt now joebiden bidenharris2020,United States of America,Illinois,IL,Joe Biden,2,0\r\n823,10/17/2020,joebiden trump biden maga berniesanders election donaldtrump vote democrats kamalaharris politics voteblue democrat blacklivesmatter usa republican covid bidenharris bernie blm coronavirus america kag conservative obama dumptrump,United States of America,New York,NY,Joe Biden,0,-0.6\r\n824,10/17/2020,trump trumpnotfitforoffice resist biden2020 biden bidenforpresident trumpisalaughingstock bidenharris2020tosaveamerica,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n825,10/17/2020,... same in a foxnews poll from this month that has trump ahead of biden 49/38 among registered voters guessing if their neighbors are voting for joe biden or donald trump in the 2020election.,United States of America,Wisconsin,WI,Joe Biden,0,-0.3\r\n826,10/17/2020,.realdonaldtrump we will not let you down sir \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 maga2020landslidevictory 4moreyears americafirst fourmoreyears america trump blackvoicesfortrump barackobama rt biden kamala,United States of America,Iowa,IA,Joe Biden,1,0.6\r\n827,10/17/2020,.t_woodbury1 what concerns me the most  biden has put together a coalition that i do think can deliver him to victory even if he gets 75%-80% of black mens' votes. but that will not deliver the senate. gary peters cannot win michigan with 75% of black mens' votes. amjoy,United States of America,New York,NY,Joe Biden,0,-0.3\r\n828,10/17/2020,1-joebiden's boosters wrote his prodigal son's entire resume\xe2\x80\x94hunterbiden profited from his father\xe2\x80\x99s political connections long before he struck questionable deals in countries where joe biden was undertaking diplomatic\xc2\xa0missions as vice president-in factvirtually all the jobs..,United States of America,North Carolina,NC,Joe Biden,0,-0.5\r\n829,10/17/2020,58bugeye senatemajldr but the biden swamp is ok with you true mcconnell supported the jobs producing businesses stamped on his face.. jobs producing but biden sold us companies out to china and supported jobs producing businesses in china \xe2\x80\x94that\xe2\x80\x99s socialists marxists communists puppetsgovs,United States of America,California,CA,Joe Biden,0,-0.7\r\n830,10/17/2020,abc's biden town hall had higher ratings than nbc's trump town hall according to early nielsen data,United States of America,New York,NY,Joe Biden,0,-0.2\r\n831,10/17/2020,alanilagan trump is facing criminal charges in ny fact. individual 1 is terrified that if not re-elected he will go to prison just like many of his \xe2\x80\x9cfriends\xe2\x80\x9d already have. he\xe2\x80\x99s cornered &amp; desperate &amp; making obscene charges now against biden placing him in danger voteearlyremovetrump,United States of America,Michigan,MI,Joe Biden,0,-0.8\r\n832,10/17/2020,alexandra ocasio-cortez...yes... that aoc... and us rep. earl blumenauer talk green new deal etc etc  oregon biden trump portland pdx aoc ocasiocortez greennewdeal,United States of America,Oregon,OR,Joe Biden,2,0\r\n833,10/17/2020,all of joebiden's homes in photos,United States of America,Washington,WA,Joe Biden,1,0.1\r\n834,10/17/2020,and joebiden profits from all the corrupt ccp activities whereishunter whereisbiden,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n835,10/17/2020,bankrupting the middle class is the goal of both political parties nwo trump biden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n836,10/17/2020,barackobama this is what happen under your watch hunterbidenemails joebiden,United States of America,Connecticut,CT,Joe Biden,0,-0.3\r\n837,10/17/2020,bennison bakery in evanston il is selling a lot more biden than trump cookies but after all this is illinois in election2020,United States of America,Illinois,IL,Joe Biden,1,0.2\r\n838,10/17/2020,berserk is on cable &amp; it's a good metaphor for the trumpderangementsyndrome that a lot of democrats are suffering from now imagining that any criticism of joebiden will result in donaldtrump's re-election; we need to think more rationally &amp; objectively about this election~,United States of America,New York,NY,Joe Biden,0,-0.4\r\n839,10/17/2020,biden,United States of America,California,CA,Joe Biden,1,0.3\r\n840,10/17/2020,biden,United States of America,California,CA,Joe Biden,1,0.3\r\n841,10/17/2020,biden bidenharris2020 bidenharristosaveamerica,United States of America,California,CA,Joe Biden,1,0.3\r\n842,10/17/2020,biden bidenisland animalcrossing acnh nintendoswitch,United States of America,Florida,FL,Joe Biden,1,0.3\r\n843,10/17/2020,biden is china's bitch. biden chinabitchbiden,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n844,10/17/2020,biden is one sick fuck,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n845,10/17/2020,biden latest lie blows up in his face,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n846,10/17/2020,biden wasn't my favorite candidate going into this. but now i kind of think things have unfolded exactly as they should have. biden is exactly the president we need right now. biden,United States of America,California,CA,Joe Biden,2,0\r\n847,10/17/2020,bidencorruption biden hunterbidenemails,United States of America,Arizona,AZ,Joe Biden,1,0.3\r\n848,10/17/2020,biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb bidencrimefamily burisma bidenharris\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb cookedjoe fridaynight,United States of America,New York,NY,Joe Biden,1,0.4\r\n849,10/17/2020,breaking news email links joebiden to direct payment from chinese firm...  foxnews biden bidentownhall hunterbiden hunter breakingnews breaking corruption corruptjoebiden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n850,10/17/2020,but icecube the biden/harris campaign put out a plan back 05/2020 for black america lifteceryvoice that does more than than theplatinumplan ... lets put energy to that point please,United States of America,New York,NY,Joe Biden,0,-0.2\r\n851,10/17/2020,can biden win already so i can stop worrying about the country and politics. \xf0\x9f\x99\x84votehimout,United States of America,New York,NY,Joe Biden,2,0\r\n852,10/17/2020,carol swain - fox news - 10.17.20 - youtube blackvoicesfortrumo 1994crimebill joebiden whiteness whiteprivilege,United States of America,Tennessee,TN,Joe Biden,1,0.1\r\n853,10/17/2020,cateyezgreen_ nudog71 pressec we need  the willingness of the people that actually can do shit to start to crumble as they realize they might not get away with this shit.. hence the need for the joebiden landslide \xf0\x9f\x97\xbd,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n854,10/17/2020,censoring the biden story how social media becomes state media thehill,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n855,10/17/2020,charcharjones andyrichter clearly biden is corrupted. america needs a potus fight for usa. not for chinese communist party. chinaliedpeopledied,United States of America,Washington,WA,Joe Biden,0,-0.4\r\n856,10/17/2020,check out this beautiful car load of biden fans yasssss give them a shout \xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\xa7\xa1\xf0\x9f\x92\x9b\xf0\x9f\x92\x9a\xf0\x9f\x92\x99\xf0\x9f\x92\x9c,United States of America,Florida,FL,Joe Biden,1,0.9\r\n857,10/17/2020,chinese take out joebiden style. hunterbiden email on 13 may 2017 subject \xe2\x80\x9cexpectations\xe2\x80\x9d &amp; included some \xe2\x80\x9cremuneration packages\xe2\x80\x9d for people involved in a business venture. 20% for h &amp; 10% held by h for the big guyaka pop twitter blocked link to ny post story.,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n858,10/17/2020,cindisplace just what we should expect from a scumbag. biden bidenharris2020landslide \xf0\x9f\x99\x8b\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\x98\x83,United States of America,District of Columbia,DC,Joe Biden,1,0.4\r\n859,10/17/2020,cnn at the end of the day trump use icecube like he use all other black men in the black community. trump is a con man and he has con ice cube. understand biden can do anything unless he wins. the senate has to turn blue. \xe2\x80\x9ctoday was a sad day\xe2\x80\x9d,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n860,10/17/2020,corruption biden trump hunterbiden censored censorship censorshipisreal twittercensorship bigt,United States of America,California,CA,Joe Biden,0,-0.8\r\n861,10/17/2020,crookedjoebiden joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n862,10/17/2020,darealmonielove agreed here's 1 thing i noticed steveharvey morning show talks about voting for joebiden everyday but every commercial they play between segments is a blacks4trump radio spot. truth b told very few black folk have enough juice to influence certain parts of this election.,United States of America,Michigan,MI,Joe Biden,0,-0.2\r\n863,10/17/2020,dbongino hunterbidenemails are nothing. if biden is innocent why doesn\xe2\x80\x99t he come forward to answer qs &amp; declare himself innocent his father joebiden he\xe2\x80\x99s running for president. if this was any realdonaldtrump child accused of this they would say something fast election2020,United States of America,Colorado,CO,Joe Biden,0,-0.7\r\n864,10/17/2020,deannakorondi crossbarhockey yesnicksearcy ion_rat warroompandemic gatewaypundit rudygiuliani even if the email is true - they guy introduced a business associate to his father / the vp.  sorry - there is no indication that there was any expectation of joebiden via the email. again that happens every time donaldtrump goes to maralago. i see no difference.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n865,10/17/2020,dear god yes i\xe2\x80\x99m being serious this time. if you make this a thing... words words words. more words. you know my heart. i wouldn\xe2\x80\x99t ask if it weren\xe2\x80\x99t important. i have faith that... words words words promise words words words. amen. voteforher biden,United States of America,Washington,WA,Joe Biden,1,0.2\r\n866,10/17/2020,democats  lol demonrats poppa joebiden bare baked waiting for his big pay day from china  hunterbiden we love you.,United States of America,California,CA,Joe Biden,1,0.6\r\n867,10/17/2020,democats joebiden and his idea   voterepublican,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n868,10/17/2020,democrats need to focus on driving turnout turnout turnout. don\xe2\x80\x99t get distracted and don\xe2\x80\x99t let them distract you. the trumps nunes jordan covid peace plans drug cards. ignore it and get your asses and every person who is registered or eligible to vote everyone vote biden,United States of America,Hawaii,HI,Joe Biden,0,-0.3\r\n869,10/17/2020,desfiledeautos para joebiden hoy en virginia latinosconbiden todosconbiden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n870,10/17/2020,dfmresearch your point on biden &gt; 50% is huge. even if one accepted inaccurately premise that biden lead is no larger than hrc at this pt in \xe2\x80\x9816 not all margins are equal. if you\xe2\x80\x99re up 5 52-47 is a different world than 47-42 in which you can win solely by persuading undecideds,United States of America,New York,NY,Joe Biden,0,-0.1\r\n871,10/17/2020,did you election2020 biden,United States of America,Nevada,NV,Joe Biden,2,0\r\n872,10/17/2020,dineshdsouza i have no idea how anyone can vote for joebiden. just as corrupt as hillaryclinton,United States of America,New York,NY,Joe Biden,0,-0.8\r\n873,10/17/2020,djhutch74 charlesmunn1 biden will surprise us all with his experience pragmatism compassion and ability to reason. he's smart enough to surround himself with smart people. he has a stutter. his mind is just fine. let's all just get rid of trump before america is completely destroyed. biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n874,10/17/2020,does anybody on either side of the political fence trust the fbi anymore biden maybe it\xe2\x80\x99s time they\xe2\x80\x99re disbanded.,United States of America,Arizona,AZ,Joe Biden,0,-0.8\r\n875,10/17/2020,domshow1210 if biden starts calling media \xe2\x80\x9cfake news\xe2\x80\x9dcould he be accused of plagiarizing presidenttrump,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n876,10/17/2020,donaldjtrumpjr he can't even finish a fucken sentence. not talking about biden,United States of America,Colorado,CO,Joe Biden,0,-0.7\r\n877,10/17/2020,donaldjtrumpjr i hand delivered my ballot for biden here in michigan. you\xe2\x80\x99re going to prison.,United States of America,Michigan,MI,Joe Biden,0,-0.4\r\n878,10/17/2020,early election night reporting of the old white vote in central florida could be a strong predictor of the overall outcome of trump-biden. if trump wins by less than 2-1 that would be very bad news for him.,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n879,10/17/2020,edokeefe donaldjtrumpjr good for cbs for actually asking the question.  joebiden is another corrupt politician.  wrongforamerica,United States of America,Kentucky,KY,Joe Biden,2,0\r\n880,10/17/2020,election2020 courageous catholic priest speaks the truth about joebiden and kamalaharris. bidenharris trumppence abortion.,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n881,10/17/2020,elenatrueba100 maureen52375 hello elenita\xf0\x9f\x98\x98\xf0\x9f\x98\x98\xf0\x9f\x98\x98 want time go to the biden rally tomorrow we are always in the mood for some elenita\xf0\x9f\xa4\xa3\xe2\x9d\xa4\xef\xb8\x8f,United States of America,Florida,FL,Joe Biden,1,0.7\r\n882,10/17/2020,elilake no one\xe2\x80\x99s suggesting \xe2\x80\x9camplifying it\xe2\x80\x9d like cnn did with countless unverified unlikely anonymously sourced stories against trump kavanaugh &amp; countless others. they\xe2\x80\x99re suggesting not \xe2\x80\x9cdisappearing it\xe2\x80\x9d since there\xe2\x80\x99s mounting *evidence* it\xe2\x80\x99s likely true that biden is compromised.,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n883,10/17/2020,environmentalists/progressives/humans still not sure who to vote for - take note. the decision to deny relief to california is only a  snapshot of what a second term off the rails  trump will do. joebiden believes in an america for all of us. vote votebidenharris2020,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n884,10/17/2020,ericmetaxas joebiden in hiding give america the facts on hunter maga harrisbiden puppet,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n885,10/17/2020,even if joebiden didn\xe2\x80\x99t meet the burisma execs even if hunterbiden wasn\xe2\x80\x99t a crack addict even if guliani was setup by the russians... nobody from the joebiden campaign has stated that the emails are fake. wouldn\xe2\x80\x99t that be the first thing that you do nypost,United States of America,New York,NY,Joe Biden,0,-0.5\r\n886,10/17/2020,every american who owns any stocks mutual funds or sells a home that has capital gains would be subject to a substantial tax increase under joebiden.,United States of America,Illinois,IL,Joe Biden,2,0\r\n887,10/17/2020,evidence points in direction of biden family being compromised in dealings with china ukraine. makes me really sad. and that makes me wonder how politicos &amp; journalists found such *satisfaction* pushing 24/7 narratives against trump &amp; associates knowing 95% were false.,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n888,10/17/2020,ewarren pocahontas will never be president but as a consolation she gains wisconsin's biden twitter account.,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n889,10/17/2020,facebook censors prolife ad exposing biden and harris supporting abortions up to birth  more of the sick bigtech censorship so they think they can hide the truth from us shitbags abortionismurder maga kag trump2020landslide,United States of America,Arizona,AZ,Joe Biden,0,-0.8\r\n890,10/17/2020,folks act like ppl aren\xe2\x80\x99t still impacted by biden\xe2\x80\x99s bullshit crime bill foh. i\xe2\x80\x99m so confused on how this whole country was burning &amp; some folks think i would vote for a racist like joebiden you do know there\xe2\x80\x99s an option to select novote .if you\xe2\x80\x99re not familiar w/3rd party. blm,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n891,10/17/2020,frankluntz stevescully yum is frankluntz enjoying his dinner of crow i\xe2\x80\x99ve never trusted the pompous weasel.  if he had any sense of objectivity he wld\xe2\x80\x99ve known realdonaldtrump correctly labeled stevescully a dem biden hack whose hatred 4 trump destroyed him. eat crow. stevescullylied cspan,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n892,10/17/2020,funder biden cares,United States of America,Georgia,GA,Joe Biden,1,0.2\r\n893,10/17/2020,funder that\xe2\x80\x99s great and i hope voters votebluedownballot. if mitchmcconnell stays as senate majority leader biden will be almost completely powerless to get us back on track just like obama was from 2010 on. voteblue2020,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n894,10/17/2020,funder top 3 reasons i\xe2\x80\x99m voting for joebiden joe is a good and decent man.  joe will give us real solutions not more chaos.  joe will build a competent team not a team of grifters. voteyourheartforbiden,United States of America,Minnesota,MN,Joe Biden,1,0.4\r\n895,10/17/2020,good night john boy god bless president trump \xf0\x9f\x91\x89biden is senile will pack the court | ep. 975  via youtube bidentownhall biden harris. trump 100% kg,United States of America,California,CA,Joe Biden,1,0.1\r\n896,10/17/2020,gop realdonaldtrump my conservative mom voted for biden this week in texas. she\xe2\x80\x99s tired of your bull shit.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n897,10/17/2020,gopchairwoman might try telling the truth next time. joebiden clearly said that no one who earns less than $400000 will see an increase in taxes.,United States of America,Washington,WA,Joe Biden,0,-0.6\r\n898,10/17/2020,got this email from joebiden today. haven\xe2\x80\x99t opened it yet but i assume from the subject line he\xe2\x80\x99s deeply unhappy and reaching out to me to inform me he hates politics campaigning people and now realizes what he truly wanted to do with his life be a ballerina,United States of America,New York,NY,Joe Biden,0,-0.3\r\n899,10/17/2020,hamiltonmusical lin_manuel hamiltontownhall joebiden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n900,10/17/2020,happy caturday joebiden has bailey\xe2\x80\x99s vote 17days,United States of America,Texas,TX,Joe Biden,1,0.7\r\n901,10/17/2020,he is in debt. crowdfund to buy his one way ticket trump bidenharris2020 biden harrisbiden2020 trumpisaloser,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n902,10/17/2020,here with your joebiden refresher course,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n903,10/17/2020,hikmethajiyev he obviously skips leg day armenia azerbaijaniaggression trump biden artsakhrepublic,United States of America,California,CA,Joe Biden,0,-0.7\r\n904,10/17/2020,hodgetwins joebiden explain why trump supporters can\xe2\x80\x99t wait to vote but biden media athletes and the left are all begging their supporters to vote\xc2\xa0,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n905,10/17/2020,how as a journalist are you informing the voter how will your question to biden enlighten the public about what affects our lives stop being lazy.,United States of America,Washington,WA,Joe Biden,0,-0.7\r\n906,10/17/2020,hunterbidenslaptop needs to be shown to as many dems and msm reporters as possible.  i want to know that they know whats inside.  then i want to see them keep their bias.  lets see who supports biden once its obvious hes potentially compromised. rudygiuliani make it happen,United States of America,Michigan,MI,Joe Biden,0,-0.3\r\n907,10/17/2020,hypocrisy is alive and well. politics biden trump trump2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n908,10/17/2020,i fluctuate between being confident that biden will win and abject despair at the thought that he won\xe2\x80\x99t. i was also confident although not as confident as i can be this year that clinton would win. i don\xe2\x80\x99t know how i will make it through another disappointment like \xe2\x80\x9816 again.,United States of America,North Carolina,NC,Joe Biden,0,-0.2\r\n909,10/17/2020,i for one think savannahguthrie did a better job at being joebiden than joebiden would have in the 2nd debate.,United States of America,California,CA,Joe Biden,0,-0.5\r\n910,10/17/2020,i pray democrats take control of the senate. if they don't americans will lose all hope of getting a true stimulus bill passed to help us face a tough covid19 winter. don't be fooled by mcconnell's senateshowvote next week maddow inners ctl p2 blametrump joebiden,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n911,10/17/2020,i really fucking wish i had had a father as loving and kind as joebiden i'd be a different man today. bidencares joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n912,10/17/2020,i think i can finally say i'm done with all politics. biden or trump liberal or conservative ... fuck 'em all.,United States of America,California,CA,Joe Biden,0,-0.8\r\n913,10/17/2020,i understand joebiden killary and barryobama made a complete fool out of you and your party - but that's no excuse now to not do the right thing and do what's right for your country. at this point - support for joebiden makes you complicit and a traitor. do the right thing.,United States of America,Wisconsin,WI,Joe Biden,0,-0.3\r\n914,10/17/2020,i vote in 4 days biden bidenharris bidenharris2020 bidenharristosaveamerica bidenharris2020tosaveamerica vote voteearly voteearlyinperson voteinperson voteinperson2020 voteblue voteblue2020 votebluetoendthisnightmare votebluedownballot,United States of America,Nevada,NV,Joe Biden,1,0.2\r\n915,10/17/2020,i voted for joebiden joebiden bidenharris,United States of America,New York,NY,Joe Biden,1,0.1\r\n916,10/17/2020,i was 50/50 on this but.... i think joebiden is a good vote \xf0\x9f\x97\xb3 \xf0\x9f\xa4\x94 \xf0\x9f\x98\x89 \xf0\x9f\x91\x8d \xf0\x9f\x98\x80.,United States of America,Colorado,CO,Joe Biden,1,0.1\r\n917,10/17/2020,in all honesty biden was vp for 8 years &amp; has been in dc for more than 40 years. what has he done for social justice &amp; ending systemic racism vote biden trump,United States of America,California,CA,Joe Biden,0,-0.4\r\n918,10/17/2020,ingrahamangle a few days ago i posted press pool pictures of joebiden in compromising positions with children. twitter locked my account until i removed the pictures.,United States of America,California,CA,Joe Biden,0,-0.6\r\n919,10/17/2020,ion_rat yesnicksearcy warroompandemic gatewaypundit rudygiuliani sure - but what's the difference with billionaires and millionaires paying the trump family $$$ to rub shoulders with the potus at maralago  if there were expectations of joebiden - sure but i wouldn't pay millions to drop an idea to the vp as a suggestion. would you,United States of America,New York,NY,Joe Biden,0,-0.1\r\n920,10/17/2020,is this the end for the big 3  via youtube youtube google twitter joebiden trump election2020 novemberiscoming november3rd therealgsnews grandsupremenews gsnews,United States of America,Florida,FL,Joe Biden,2,0\r\n921,10/17/2020,it's a beautiful day in the neighborhood a beautiful day for joebiden as his town hall outscores in the ratings against his rival realdonaldtrump - according to nielsen . guess he might have the edge we shall see. joebidensneighborhood joebiden vote voteearly,United States of America,Texas,TX,Joe Biden,1,0.1\r\n922,10/17/2020,it's about time someone asked.  quite telling that joebiden did not take the opportunity to dispute the nypost story about hunterbiden.  if it weren't true that's all joe had to say.,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n923,10/17/2020,it\xe2\x80\x99s long past time foxnewssunday admits he\xe2\x80\x99s on the biden payroll. hey fnc\xe2\x80\x99s wallace \xe2\x80\x98i\xe2\x80\x99m suspicious\xe2\x80\x99 of ny post hunter biden story \xe2\x80\x94 giuliani not a \xe2\x80\x98reliable source\xe2\x80\x99,United States of America,New York,NY,Joe Biden,0,-0.5\r\n924,10/17/2020,it\xe2\x80\x99s such a common thing for joebiden to get basic facts wrong that we don\xe2\x80\x99t even talk about it anymore \xf0\x9f\xa4\xa5 ...just like kamalaharris was a 2pac fan in high school \xf0\x9f\x8e\xa7 they\xe2\x80\x99re all liars incompetent at best \xf0\x9f\xa4\xb7\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f maga,United States of America,California,CA,Joe Biden,0,-0.8\r\n925,10/17/2020,ivankatrump bernie biden free college is a joke. hs graduates can barely read&amp;write biden\xe2\x80\x99s solution eliminate schoolchoice this deprives poor blacks and other minorities from breaking the cycle of government dependency&amp;generational poverty bidedemocrats r the real racists,United States of America,Florida,FL,Joe Biden,0,-0.9\r\n926,10/17/2020,i\xe2\x80\x99m ready to travel back to greece with my new studies under my belt to be able to really appreciate the significance of that great nation which showed us that sparta and republican nationalism will not win against democracy  greece biden,United States of America,California,CA,Joe Biden,0,-0.4\r\n927,10/17/2020,i\xe2\x80\x99ve noticed many biden supporters have no sense of humor. very sad.,United States of America,District of Columbia,DC,Joe Biden,0,-0.9\r\n928,10/17/2020,jennifer lopez and alex rodriguez endorse joe biden  via pagesix,United States of America,New York,NY,Joe Biden,2,0\r\n929,10/17/2020,jlo and  supporting joebiden,United States of America,North Carolina,NC,Joe Biden,1,0.2\r\n930,10/17/2020,joe biden thinks it is okay for an 8 yr-old child who doesn't know what it wants for lunch or what it wants to be when it grows up that it is okay to have a sex change and take hormones to transition to the sex it thinks it is he said as much at his townhall on abc this wk,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n931,10/17/2020,joebiden,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n932,10/17/2020,joebiden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n933,10/17/2020,joebiden aka \xe2\x80\x9cbig guy\xe2\x80\x9d is an influence peddler. he will meet for millions of dollars; compromised because of hunter\xe2\x80\x99s dealings. if we see these emails what do the spy masters in russia china etc have on him nationalsecurity beijingbiden burismabiden,United States of America,Georgia,GA,Joe Biden,0,-0.5\r\n934,10/17/2020,joebiden hates the media.   he refuses to answer their questions.  everything is off limits with him.  thats why trump2020,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n935,10/17/2020,joebiden hunterbidenemails are nothing. if biden is innocent why doesn\xe2\x80\x99t he come forward to answer qs &amp; declare himself innocent his father joebiden he\xe2\x80\x99s running for president. if this was any realdonaldtrump child accused of this they would say something fast election2020,United States of America,Colorado,CO,Joe Biden,0,-0.7\r\n936,10/17/2020,joebiden kamalaharris barackobama hillaryclinton vote voteearly trumpisalaughingstock blacktwitter blacktwittermovement blacklivesmatter blm kamalaharris joebiden debates2020 saturdaythoughts americafirst usa votebidenharris2020 votebluetosaveamerica,United States of America,New York,NY,Joe Biden,1,0.1\r\n937,10/17/2020,joebiden lashes out after being asked about nypost's hunterbiden expos\xc3\xa9  via nypost election2020,United States of America,Massachusetts,MA,Joe Biden,0,-0.5\r\n938,10/17/2020,joebiden not campaigning today i wonder why,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n939,10/17/2020,joebiden please enforce the use of masks and emphasize how important they are when you become president so our economy doesn\xe2\x80\x99t get shut down a second time. and oh ya also so thousands of unnecessary deaths don\xe2\x80\x99t happen,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n940,10/17/2020,joebiden please reverse the ridiculous taxing on countries that trump did so we can buy lumber at a regular price again all the \xe2\x80\x9cdeals\xe2\x80\x9d trump made are only hurting us americans with inflation,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n941,10/17/2020,joejsaltarelli and turns out bernie was just sheepdogging his supporters for the dnc. you should be furious w/ bernie for not going after biden in the primaries with everything he had. now dems are stuck with bidencrimefamily bidencorruption. bernie is culpable the nom was his to win,United States of America,New York,NY,Joe Biden,0,-0.6\r\n942,10/17/2020,johncornyn sounds like a plan biden/harris2020 bluewave,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n943,10/17/2020,johnstossel trump because biden doesn\xe2\x80\x99t know where he is.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n944,10/17/2020,juddlegum so..  teamtrump is accusing hunterbiden of something that happened every weekend at maralago pre covid billionaires and millionaires paying the trump family $$$ to rub shoulders with the potus.  this joebiden accusation has to be a social experiment to test americans iq.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n945,10/17/2020,just because sienabenna\xe2\x80\x99s joebiden animation makes me happy.  biden,United States of America,Washington,WA,Joe Biden,1,0.6\r\n946,10/17/2020,just curious but why would it be necessary for obama to get on the campaign trail for biden risking his health to coronavirus if biden is up by 12-15 points trump2020landslide vote voteredtosaveamerica2020 november3rd elections2020,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n947,10/17/2020,just finished seeing  thewayiseeit that was absolutely an awesome piece of art work we truly had better and brighter days w/ the obama\xe2\x80\x99s in the white house  we have so much more work to do to get joebiden in we all must vote,United States of America,District of Columbia,DC,Joe Biden,1,0.8\r\n948,10/17/2020,just missouri things \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f trump biden,United States of America,Missouri,MO,Joe Biden,2,0\r\n949,10/17/2020,kevinjacksontbs there is nothing original w/ joebiden joebiden - everything he says publicly and in his tv ads are scripted by the dnc ; this guy has never had an original thought in his life,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n950,10/17/2020,kylegriffin1 gopchairwoman biden started w raising taxes 2all then 8o+% then he narrowed it 2x and landed on 400k and above biden will say anything to get elected his voters don\xe2\x80\x99t get what he says from racist to ukraine  bidengate to madeinamerica china lies brainwashed,United States of America,California,CA,Joe Biden,0,-0.8\r\n951,10/17/2020,larrytoffler; here's my vote that i have just cast last wednesday. joebiden kamalaharrisvp removetrumpnow bidenharris2020 bidenharrislandslide2020 vote2020 voteearly elections2020 earlyvotingmd bidenratingbeattrump bidenrally californiaforbiden,United States of America,Maryland,MD,Joe Biden,1,0.1\r\n952,10/17/2020,lashing out biden don't kids do that  when they are guilty bidencrimefamily biden,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n953,10/17/2020,let\xe2\x80\x99s nix the biden ads that start with him yelling at us.,United States of America,Michigan,MI,Joe Biden,0,-0.8\r\n954,10/17/2020,lingering effects of the obama joebiden opioid crisis\xe2\x80\x94&gt;,United States of America,Massachusetts,MA,Joe Biden,0,-0.3\r\n955,10/17/2020,lock up the biden's lock up hillary donald trump tells supporters at georgia rally,United States of America,California,CA,Joe Biden,0,-0.4\r\n956,10/17/2020,lol i laughed a little just seeing the words in the same freaking tweet. biden rounds obama and is headed for hillary levels of corruption. wheresthebodiesjoe,United States of America,Arizona,AZ,Joe Biden,1,0.1\r\n957,10/17/2020,lynngenx easy - look at his taxreturns lol.  its all there  what you think you can declare income and not say where its from in your tax returns  why do you think donaldtrump isn't doing the same thing  anything teamtrump throws at joebiden at this stage just makes trump look bad,United States of America,New York,NY,Joe Biden,2,0\r\n958,10/17/2020,marco6099 markruffalo kayleighmcenany yes let\xe2\x80\x99s go joebiden,United States of America,Kansas,KS,Joe Biden,1,0.6\r\n959,10/17/2020,mercedesschlapp joebiden abcpolitics a so sweet it\xe2\x80\x99s true mr. rogers was probably one of the best humans on earth. what a nice compliment to joebiden. it\xe2\x80\x99s actually a great comparison. i know we\xe2\x80\x99d all much rather live in joebidensneighborhood  i\xe2\x80\x99m glad you\xe2\x80\x99ve come to recognize good.,United States of America,California,CA,Joe Biden,1,0.8\r\n960,10/17/2020,michaeltanuvasa johnpavlovitz i am black. did the person commit a crime the justice system in this country is not fair to poc. considering the choice between a practicing racisttrump and biden who admits his mistakes was the right hand man of obama &amp; chose a black female as his running mate. cont...,United States of America,Louisiana,LA,Joe Biden,0,-0.1\r\n961,10/17/2020,mrnotthatfamous eliminating trump\xe2\x80\x99s tax cuts will raise taxes on everyone. so it\xe2\x80\x99s biden who \xe2\x80\x98s lying.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n962,10/17/2020,my cat is a demo-cat. she and i voted for joebiden.,United States of America,Florida,FL,Joe Biden,2,0\r\n963,10/17/2020,my vote has been cast. \xf0\x9f\x97\xb3 without hesitation. biden/harris. mj hegar. sima. \xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99harriscounty vote bidenharris2020 biden harris joebiden kamalaharris mjhegar simafortx,United States of America,Texas,TX,Joe Biden,1,0.3\r\n964,10/17/2020,noahharald i was medical director at a substance abuse center. bush took office. we got a fax 1 day saying our federal funding was cut. closed down that evening. free psychiatry 12 step meetings anger management men\xe2\x80\x99s group inpatient detox and sober living facility gone. 1 fax. biden,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n965,10/17/2020,nothing to see here just hunter biden showing off his meth-mouth and sleeping with a crack-pipe. vicepresidentialdebate bidenharris2020tosaveamerica hunterbiden biden bidentownhall,United States of America,South Carolina,SC,Joe Biden,0,-0.2\r\n966,10/17/2020,okrick okreek reekgaetz trumpisanembarrassment trumpisalaughingstock votehimout cult45 americaortrump voteblue votebluetosaveamerica votebluetoendthisnightmare bidencares bidenharrisforamerica bidenharris2020 joewillleadus biden brings decency back 2 wh no anxiety,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n967,10/17/2020,one thing i won't miss when surely biden is elected is whole tl reacting *in person* to every bit of political scandal. i literally don't fully understand cursing out various politicians in your own voice--i may be wrong but people seem on it without ur individual excoriation,United States of America,Pennsylvania,PA,Joe Biden,0,-0.7\r\n968,10/17/2020,pattonoswalt as a proud person in recovery i love joe even more he impressed me with his loving response to trumps statements about his son during the debate. bidenharris2020 vote joebiden kamalaharris,United States of America,California,CA,Joe Biden,1,0.5\r\n969,10/17/2020,pattymurray does biden finally remember where he's at what position he's running for or who is wife is,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n970,10/17/2020,paulareidcbs boknowsnews i support biden but his response to question from bo erickson about the new york post story was inappropriate. this is a tense crucial campaign but we must maintain a civilized approach to exchanges with all news media instead of trump\xe2\x80\x99s calculated repetitive accusations.,United States of America,Illinois,IL,Joe Biden,0,-0.4\r\n971,10/17/2020,peteraia1 vote blue to save america votebidenharris2020 votebluetosaveamerica joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n972,10/17/2020,pissofftrumpkin rosie_wearamask i had a dream joebiden was our president and everything was orderly and calm and fun again,United States of America,New York,NY,Joe Biden,1,0.9\r\n973,10/17/2020,please vote for biden these trumpers are so confident that they are going to win again we can\xe2\x80\x99t let that happen bidenharris2020 kamalaharris biden bidenharristosaveamerica,United States of America,Tennessee,TN,Joe Biden,1,0.3\r\n974,10/17/2020,political media for the next three weeks joebiden,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n975,10/17/2020,politvidchannel no body wants to mention everyone\xe2\x80\x99s taxes going up after biden does away with the $2000 trumptaxbreak,United States of America,Ohio,OH,Joe Biden,0,-0.8\r\n976,10/17/2020,por qu\xc3\xa9 redes sociales acotaron historia sobre biden biden historia redessociales,United States of America,Florida,FL,Joe Biden,1,0.2\r\n977,10/17/2020,potus is right 70000 new cases of covid19 yesterday the most since july.  the red wave is indeed coming  vote khive teampete dumptrump teamjoe electionday voteearly vote biden,United States of America,California,CA,Joe Biden,1,0.2\r\n978,10/17/2020,question of the day is which biden will throw the other biden under the bus first  grifterbidens grifterbiden bigguyjoe thebigguy,United States of America,Tennessee,TN,Joe Biden,0,-0.1\r\n979,10/17/2020,raheemkassam republicans are so petty they are mocking biden using a teleprompter and the size of the font on it. what a bunch of desperate losers. teleprompter biden bidenharris2020 maga2020 maga petty,United States of America,Georgia,GA,Joe Biden,0,-0.6\r\n980,10/17/2020,read all of this. if joebiden loses in florida i hope they follow through with every kind of investigation possible.,United States of America,California,CA,Joe Biden,2,0\r\n981,10/17/2020,realdonaldtrump a \xe2\x80\x9cgiant red wave\xe2\x80\x9d is moving towards joebiden,United States of America,Virginia,VA,Joe Biden,2,0\r\n982,10/17/2020,realdonaldtrump get ready for another super spreader event vote biden harris,United States of America,Minnesota,MN,Joe Biden,1,0.6\r\n983,10/17/2020,realdonaldtrump i love biden and the piece of paper \xf0\x9f\x98\x82,United States of America,New York,NY,Joe Biden,1,0.9\r\n984,10/17/2020,realjameswoods bidencrimefamily is in business with china and our freedom is on the line if this wack job joebiden is elected. keepamericagreat it\xe2\x80\x99s never been more important to votetrump2020tosaveamerica democratsaredestroyingamerica,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n985,10/17/2020,realjameswoods republicans are so petty they are mocking biden using a teleprompter and the size of the font on it. what a bunch of desperate losers. teleprompter biden bidenharris2020 maga2020 maga petty,United States of America,Georgia,GA,Joe Biden,0,-0.6\r\n986,10/17/2020,reasons to vote for joe  biden2020 joebiden biden vote,United States of America,Texas,TX,Joe Biden,1,0.3\r\n987,10/17/2020,resist bluewave blm lbgtq nevergiveup biden/harris 2020 resister voteblue \xf0\x9f\x8c\x8a\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x8c\x8a,United States of America,California,CA,Joe Biden,1,0.1\r\n988,10/17/2020,resist bluewave blm lbgtq nevergiveup biden/harris 2020 resister voteblue \xf0\x9f\x92\x99\xf0\x9f\x8c\x8a\xf0\x9f\x90\xb3\xf0\x9f\x8e\xb5,United States of America,California,CA,Joe Biden,1,0.1\r\n989,10/17/2020,right so on the  courtpacking i think biden soundbite comeback should be \xe2\x80\x9cwe want an equitable balanced a-political court. that\xe2\x80\x99s what the american people want/deserve and we will give it to them whatever it takes.\xe2\x80\x9d,United States of America,Texas,TX,Joe Biden,1,0.1\r\n990,10/17/2020,sanfrancisco rightwingrally trump biden election twitterhq mob antifa demosticterrorists,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n991,10/17/2020,sebgorka biden what a shitty dad  his son has a drug problem then shows up one day with millions and joe never asked where the hell did all the money come from \xf0\x9f\x99\x84,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n992,10/17/2020,seems plausible whereshunter joebiden donaldjtrumpjr tomshattuck realdonaldtrump hunterbidenlaptop hunterhumor,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n993,10/17/2020,so biden didn't say superpredator -- that was hillaryclinton.  nope joebiden said there would be predators on our streets.  you know when he was pushing the crimebill so we wouldn't have a racialjungle in our neighborhoods.  stop covering for this racist twitter,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n994,10/17/2020,so that\xe2\x80\x99s magicjohnson heading to detroit and barackobama heading to philadelphia for joebiden.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n995,10/17/2020,sorry but mister rogers was a bad mofo working his a off to help kids and making that $$$ for his show. biden has that same passion so f$&amp;k all y\xe2\x80\x99all haters.,United States of America,California,CA,Joe Biden,0,-0.1\r\n996,10/17/2020,texts show raw intimate exchange between joe and hunter biden election2020 themoreyouknow biden,United States of America,Florida,FL,Joe Biden,1,0.5\r\n997,10/17/2020,that is what the bidencrimefamiily is. they take ccp bloodmoney from slavelabor and joebiden takes a percentage. there are more than just the laptop emails. one of hunter business partners gave up his entire gmail account detailing more of this to schweitzer. now 2 sources,United States of America,Texas,TX,Joe Biden,2,0\r\n998,10/17/2020,the biden campaign is getting serious help from china. perhaps even large financial help through hundreds maybe thousands of individual online donations. who\xe2\x80\x99s gonna check that out election interference we all know who our greatest enemy wants to win this election,United States of America,Colorado,CO,Joe Biden,1,0.1\r\n999,10/17/2020,the largest newspaper in the world top headlines are about the bidencrimefamiily  joebiden says he won\xe2\x80\x99t say a thing about this hunter biden emails claims he was asked to 'close down any pursuits against the head of the firm' | daily mail online,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1000,10/17/2020,the next debate will focus on foreign policy...biden\xe2\x80\x99s strong suit....for sure. trump2020 bidencrimefamily hunterbidenlaptop,United States of America,Texas,TX,Joe Biden,1,0.4\r\n1001,10/17/2020,the official biden campaign has an ac island you can visit aha. what a fun little adventure  animalcrossing acnh nintendoswitch joebiden,United States of America,Colorado,CO,Joe Biden,1,0.5\r\n1002,10/17/2020,the tribune \xe2\x80\x9cfantastic\xe2\x80\x9d hope biden kamalaharris election future democrats vote\xc2\xa0joebiden kamalaharris politics democrat covid coronavirus usa  america voteblue savetheusa savethepostoffice joebidenforpresident bhfyp for all our daughters\xe2\x80\xbc\xef\xb8\x8f,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1003,10/17/2020,thehill joebiden realdonaldtrump hunterbidenemails are nothing. if biden is innocent why doesn\xe2\x80\x99t he come forward to answer qs &amp; declare himself innocent his father joebiden he\xe2\x80\x99s running for president. if this was any realdonaldtrump child accused of this they would say something fast election2020,United States of America,Colorado,CO,Joe Biden,0,-0.7\r\n1004,10/17/2020,theleoterrell realdonaldtrump seanhannity blackvoices4djt hunterbidenemails are nothing. if biden is innocent why doesn\xe2\x80\x99t he come forward to answer qs &amp; declare himself innocent his father joebiden he\xe2\x80\x99s running for president. if this was any realdonaldtrump child accused of this they would say something fast election2020,United States of America,Colorado,CO,Joe Biden,0,-0.7\r\n1005,10/17/2020,there are some black people that are voting for biden but can\xe2\x80\x99t tell me one thing he has done for blackamericans.,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1006,10/17/2020,therealzanetta i am proud voting for joebiden chew on that proud boys. or better yet bitch boys.,United States of America,Georgia,GA,Joe Biden,2,0\r\n1007,10/17/2020,this applies to ig too... gtfoh trump biden trumpsupporters,United States of America,Virginia,VA,Joe Biden,2,0\r\n1008,10/17/2020,this cast... the hippest in broadway history hamiltonmusical biden/harris forthepeople,United States of America,New York,NY,Joe Biden,2,0\r\n1009,10/17/2020,this family need to be in jail. trump2020 biden,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n1010,10/17/2020,this is outrageous. msm ignores the real underlying crime of corruption if biden received millions.,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n1011,10/17/2020,this is the biden mo. he won\xe2\x80\x99t sit for an interview with any legit reporter who would force him to answer qs. but no worries there. too many reporters are in his back pocket.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n1012,10/17/2020,this is the greatest biden ad ever thank you donaldjtrumpjr please rt because jr blocked me...,United States of America,New York,NY,Joe Biden,1,0.5\r\n1013,10/17/2020,this is too funny. \xf0\x9f\xa4\xa3 biden china trump2020,United States of America,District of Columbia,DC,Joe Biden,1,0.6\r\n1014,10/17/2020,this is what reason sounds like. joebiden and kamalaharris,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1015,10/17/2020,this was last yr but if northkorea hates joebiden as much as a lot of us do this will make foreign policy very interesting if he wins...\xf0\x9f\xa4\x94 election2020,United States of America,California,CA,Joe Biden,0,-0.5\r\n1016,10/17/2020,this will all be over in 2 weeks. then we will move on. and we will unfollow him. and he will fade back into the realm of fringe insignificance. and the country will start to heal. vote biden kamala,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n1017,10/17/2020,timcast how many gun owners will vote for joebiden the corrupt and his fellow democrats,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1018,10/17/2020,too damn funny. you realdonaldtrump calling the biden family \xe2\x80\x9ccorrupt is too good. your entire family defines corruption and indeed your collective time to pay up is coming. you all define corruption. cnn,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n1019,10/17/2020,trump adviser compares biden town hall to 'misterrogers' starts twitter trend,United States of America,Texas,TX,Joe Biden,2,0\r\n1020,10/17/2020,trump on if biden wins 'maybe i'll have to leave the country' thehill,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1021,10/17/2020,trump trails biden with two weeks to go \xe2\x80\x93 but there could yet be surprises,United States of America,New York,NY,Joe Biden,1,0.1\r\n1022,10/17/2020,trump unions boilermakers pennsylvania biden election2020,United States of America,Texas,TX,Joe Biden,2,0\r\n1023,10/17/2020,trump will selfdeport himself to his homeland russia when he loses the 2020 election to biden joewillleadus,United States of America,New Jersey,NJ,Joe Biden,0,-0.4\r\n1024,10/17/2020,trumpfailsamerica trumpfailedamerica trumpkillsus trumpkillsamericans trumpthreatensamerica biden2020landslide bidenrepublicans biden biden2020 americaortrump lincolnproject trumppandemicfailure trumppandemic trumpisunwell rvat2020 rvat,United States of America,District of Columbia,DC,Joe Biden,1,0.4\r\n1025,10/17/2020,tucsonromero so...did you not have time to post the reminders you sent to kamalaharris joebiden &amp; tomperez oh wait... hypocrisy politcalhack stayinyourlane trump biden 2020election,United States of America,Indiana,IN,Joe Biden,0,-0.8\r\n1026,10/17/2020,typical deflectredirect hidden biden style...treason...forgodandcountry \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Joe Biden,2,0\r\n1027,10/17/2020,uhcougarfb which is worse - holgorsendana as a head coach or joebiden as vp  tough choice.,United States of America,South Carolina,SC,Joe Biden,0,-0.8\r\n1028,10/17/2020,us states uspresidentialelections2020 betting odds biden % point lead daily. kneejerk reaction to biden when pres trump positive covid19 oct 2. odds shift back toward trump when resumes in person campaigning oct 10-12. oct 15 town halls didn't shift odds much. predictit,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1029,10/17/2020,vichyrepublican isaacdovere please please let the fucking good guy win. just this one fucking time. swear to god the yankees can have the al east. the habs they can own the b\xe2\x80\x99s. lakers fuck it. we had 86. forever you can have the nba title. just jesus please don\xe2\x80\x99t let this sociopath beat biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n1030,10/17/2020,video trump plans to leave america if he loses to joebiden; he\xe2\x80\x99s scared he might be arrested,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n1031,10/17/2020,vote for this guy. vote for joebiden,United States of America,Minnesota,MN,Joe Biden,1,0.2\r\n1032,10/17/2020,voted early \xf0\x9f\x98\x8a joebiden,United States of America,California,CA,Joe Biden,1,0.4\r\n1033,10/17/2020,voted in harris countyturntexasblue resist come on texas let\xe2\x80\x99s get biden/harris2020 elected,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1034,10/17/2020,voted we made it a family event  cityduty vote2020 voteelection2020 bidenharris2020 biden byedon columbus franklincounty  franklin county board of elections - ohio,United States of America,Ohio,OH,Joe Biden,2,0\r\n1035,10/17/2020,voting for the other party in one election isn\xe2\x80\x99t like getting married - it\xe2\x80\x99s not for life but our lives depend on joebiden,United States of America,Ohio,OH,Joe Biden,0,-0.5\r\n1036,10/17/2020,watch live protest across america breaking news america world election vote2020 trump biden blm covid covid19 coronavirus alwx gawx atltraffic tornado severe tropics hurricane coronavirus flu,United States of America,Georgia,GA,Joe Biden,0,-0.3\r\n1037,10/17/2020,watching the hamilton cast benefit for biden harris.  over 1000 donors watching.  vote vote2020,United States of America,California,CA,Joe Biden,1,0.4\r\n1038,10/17/2020,well rip joebiden campaign rip biden joewillleadus yea he ain\xe2\x80\x99t gonna lead.....oh yea jorgensen4potus for pres,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1039,10/17/2020,what's to decide anyone trying to decide at this point are not thinking clearly and have no idea what has happened in this country this is no time to think it's time to vote biden only,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n1040,10/17/2020,when obama left office the deficit was $666b. i predict that on november 4 congressional republicans will suddenly care deeply and hysterically about the budget deficit and the fact that it is now $3.1t will somehow instantly become joebiden's fault.,United States of America,California,CA,Joe Biden,0,-0.4\r\n1041,10/17/2020,who are you voting for poll trump biden,United States of America,Arizona,AZ,Joe Biden,0,-0.3\r\n1042,10/17/2020,who is joebiden,United States of America,Georgia,GA,Joe Biden,2,0\r\n1043,10/17/2020,who is the racist ...trump...bidenharris2020 ...who spoke at the eulogy of a high ranking kkk member and saidhe was a great american and my mentor...that would be biden...time to wakeupamerica \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 cnn msnbc foxnews vote2020 forgodandcountry,United States of America,California,CA,Joe Biden,1,0.7\r\n1044,10/17/2020,why isn\xe2\x80\x99t joebiden saying anything about china unleashing this virus upon us joebiden chinavirus maga,United States of America,California,CA,Joe Biden,0,-0.8\r\n1045,10/17/2020,wow tuckercarlson just confirmed the hunterbidenlaptop is positively his  joebiden needs to drop out immediately and a investigation done immediately. hunterbidenemails,United States of America,New York,NY,Joe Biden,1,0.2\r\n1046,10/17/2020,yes indeed bam bam boom joebiden trounced trump in the thursday night dual townhall tvratings,United States of America,District of Columbia,DC,Joe Biden,1,0.6\r\n1047,10/17/2020,yesnicksearcy ion_rat warroompandemic gatewaypundit rudygiuliani no one will pay anyone millions to say hello to joebiden while he was travelling. biden aint that interesting. its possible hunterbiden had a deal and his colleagues wanted to meet his father while he was in town. people pay the trump family at maralago for same thing.,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1048,10/17/2020,yesnicksearcy ion_rat warroompandemic gatewaypundit rudygiuliani seriously nick - i don't think joebiden is that interesting to pay millions to meet while he was travelling.  unless there were expectations of him - which there is 0% proof of.  hunterbiden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1049,10/17/2020,yesssss we can go joe joebiden obama kamalaharris realdonaldtrump democraticconvention republicanconvetion joebidenkamalaharris2020,United States of America,New Jersey,NJ,Joe Biden,1,0.4\r\n1050,10/17/2020,you cannot silence americans you can only silence your own gop realdonaldtrump we the people are bigger than you.  you thought you could beat us but we the people will prevail. your voter suppression will never win we are much stronger than you. dumptrump2020  biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n1051,10/17/2020,you have no idea how happy i am that the day is finally here that i can vote \xf0\x9f\x97\xb3 to make trump a one term president driving to a drop box tomorrow and going to track it with the tracking number to ensure that it is counted bidenharris2020 biden2020 biden,United States of America,Washington,WA,Joe Biden,0,-0.1\r\n1052,10/17/2020,yungblud joebiden realdonaldtrump deemed the kkk as a domestic terrorist organization. what good has biden done in his 47 years in politics please enlighten me with actual facts. stop with the hate and division. fuckyungblud,United States of America,California,CA,Joe Biden,0,-0.2\r\n1053,10/17/2020,\xe2\x80\x9cthere is no place for hate in america.  it will not be tolerated.\xe2\x80\x9d joebiden joebiden bidenharris2020 vote joebidensneighborhood,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n1054,10/17/2020,\xe2\x81\xa6billkristol\xe2\x81\xa9 long an unofficial leader of the nevertrump republicans and now part of the pro-biden lincolnproject told me he finds bush silence \xe2\x80\x9cpretty inexplicable\xe2\x80\x9d given the existential-moment the country is facing.,United States of America,California,CA,Joe Biden,0,-0.3\r\n1055,10/17/2020,\xe2\x81\xa6savannahguthrie\xe2\x81\xa9 are you goingto ask joebiden to denounce white supremacy now,United States of America,North Carolina,NC,Joe Biden,0,-0.8\r\n1056,10/17/2020,\xf0\x9f\x9a\xa8wizard predicts biden will win miami-dade county by a lower margin than hillary due to an increase in turnout for trump among cubans and venezuelans.,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1057,10/17/2020,\xf0\x9f\xa4\x94\xf0\x9f\xa4\x94 joebiden,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n1058,10/18/2020,make sure joe biden wins the election. everyone must vote for joe biden. joe biden is best choice for usa president. joebiden election trump election2020 joebiden realdonaldtrump potus,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n1059,10/18/2020,a man who has refused to release his taxes to the public has the brass balls to claim that joebiden will raise your taxes  joe will raise taxes but only in corporations who currently pay zero and billionaires.  don\xe2\x80\x99t forget asshole trump paid....$750.00 in taxes last year.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1060,10/18/2020,acityamonth jake did a fantastic job. lauratrump looked like a fool. it's a very tough position to be a male interviewing a female. he remained calm called her on her lies &amp; bs s replayed her mocking disabilities &amp; made her say things to convince suburban women to vote for joebiden.,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n1061,10/18/2020,across biden charitable organizations a refusal to disclose chinese communist government funding,United States of America,Washington,WA,Joe Biden,0,-0.6\r\n1062,10/18/2020,also joe biden does not support a living wage health care for all an end to predatory lending insurance extortion fracking or perma-war. i wish he had to live on the streets like the victims of the economic violence of his corrupt policies.,United States of America,Oregon,OR,Joe Biden,0,-0.7\r\n1063,10/18/2020,america pleae vote like joebiden is 20 points down.  wethepeople should never  get too comfortable especially with the dirty tricks fake drop ballot boxes of the republicans.  and voter suppression=12 hour waits to vote vote all republicans out. votestoobigtorig passiton,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1064,10/18/2020,analyst biden's comments on china 'inexplicable absolutely incorrect',United States of America,Washington,WA,Joe Biden,0,-0.8\r\n1065,10/18/2020,anna makanju facebook public policy and legal expert. she leads efforts to ensure election integrity on the platform. previously anna special policy advisor for europe/eurasia to vp biden.  biden tech trump bigtech education trending,United States of America,California,CA,Joe Biden,1,0.2\r\n1066,10/18/2020,barackobama joebiden obamamalik senbobcasey barackobama joebiden i cooked scallops and shrimps for ya'll. enjoy,United States of America,Pennsylvania,PA,Joe Biden,1,0.7\r\n1067,10/18/2020,believe in america.  join the bidencoalition  bidenharris2020landslide demcast demcastca  joebiden,United States of America,California,CA,Joe Biden,2,0\r\n1068,10/18/2020,bgonthescene how else would he do it i\xe2\x80\x99m surprised he can read it biden crookedbiden sleepyjoe,United States of America,New York,NY,Joe Biden,1,0.3\r\n1069,10/18/2020,biden 2020 del ray alexandria virginia 17 october 2020 photo copyright \xc2\xa9 2020 tony hack all rights reserved alexandria arts joebiden blackandwhite bw delray democrat kamalaharris photography street virginia va vote,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1070,10/18/2020,biden bidenharris2020 bidenharris2020landslide,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1071,10/18/2020,biden bidenharris2020landslide debates2020 bidengate inside the life of hunter biden joe biden's scandal-plagued son  via nypost,United States of America,California,CA,Joe Biden,0,-0.3\r\n1072,10/18/2020,biden has no idea why everyone is trained to aim for center-mass. yeah you would have to be a miracle shot to hit moving legs without advanced notice. bidenharris,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1073,10/18/2020,biden is a national security threat,United States of America,California,CA,Joe Biden,0,-0.7\r\n1074,10/18/2020,biden put a lid on his campaign until thursday.,United States of America,Texas,TX,Joe Biden,2,0\r\n1075,10/18/2020,biden snaps after cbs reporter asks about son hunter\xe2\x80\x99s alleged emails  hunterbidensemails hunterbidensukrainescandal,United States of America,California,CA,Joe Biden,0,-0.6\r\n1076,10/18/2020,biden what the actual f*ck this man is sick. he is caught on camera at speeches saying this guys what the actual f*ck is this man doing running for any type of office,United States of America,New York,NY,Joe Biden,0,-0.9\r\n1077,10/18/2020,bidenbelieves in getting rich while in office. his son hunter was the vehicle and the entire biden family profited greatly.,United States of America,New York,NY,Joe Biden,2,0\r\n1078,10/18/2020,bidenbelieves the media will get him elected. look how the newyorktimes cropped a picture of him with booze to back up its contention joebiden doesn't drink.,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1079,10/18/2020,bidenharris2020 biden walkawayfromdemocrats,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1080,10/18/2020,bidenharris2020landslide voteearly\xc2\xa0 vote\xc2\xa0 takeourcountryback bluetsunami2020 joebiden kamalaharris,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1081,10/18/2020,bidenharris2020tosaveamerica trump2020landslidevictory biden is a criminal,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1082,10/18/2020,biden\xe2\x80\x99s stonewalling on the supremecourt is impressive. in poker parlance team biden raised the stakes and the media folded.,United States of America,District of Columbia,DC,Joe Biden,1,0.4\r\n1083,10/18/2020,bill_maxwell_ donaldtrumpjr clearly has an addiction problem and needs to see rehab asap. i think we can all help him by firing his father and electing joebiden . then junior can recover in prison.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1084,10/18/2020,boilermakers are pissed off at joebiden for lying about their endorsement. union unionstrong unionpatriotes endorsed trump america biden democrats,United States of America,California,CA,Joe Biden,0,-0.4\r\n1085,10/18/2020,can\xe2\x80\x99t wait to replace the empty-souled wannabe dictator in the wh with a decent human like joe. joebiden\xe2\x9d\xa4\xef\xb8\x8f,United States of America,California,CA,Joe Biden,1,0.6\r\n1086,10/18/2020,capehartj thank you jonathan. although i like jim carrey i hate his doddering old fool caricature of the future president. stop it jimcarrey. joebiden deserves a much more intelligent on-point parody not a disgusting reinforcement of trump\xe2\x80\x99s ageist stereotypes.,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1087,10/18/2020,check out biden coalition's video tiktok biden harris 2020,United States of America,New York,NY,Joe Biden,2,0\r\n1088,10/18/2020,check out my friends' yard in sandy springs ga. biden harris bidenharris emhoff rbg vote votebidenharris2020,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1089,10/18/2020,chipfranklin i voted last friday with my sister joebiden,United States of America,Illinois,IL,Joe Biden,2,0\r\n1090,10/18/2020,climatechangeisreal &amp; is on the ballot in 2020 - right now only 1 candidate has addressed it &amp; that is joebiden joebiden votebidenharris to protect us &amp; our future generations from the unrelenting impacts of climatechange vote votebluetosaveamerica bidenharris2020 \xf0\x9f\x9a\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x9a\x99,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n1091,10/18/2020,come on jaketapper. stutter shaming laraleatrump ever work w/healthcare providers who treat people w/stutters &amp; those w/dementia stuttering doesn\xe2\x80\x99t result in forgetting what office biden is running for &amp; the name of who ran for potus against him &amp; obama just 8 years ago.,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n1092,10/18/2020,commondreams rachcarmona ...and it's a given that all these women are voting biden which means if he's elected the next 4 years will not really look all that much different than trump's 4...but they will not notice as they will be blissfully asleep like obama's 8 years that is when not at brunch...,United States of America,California,CA,Joe Biden,0,-0.4\r\n1093,10/18/2020,conspiracy theorist maybe but i think the reason they'd get jimcarrey to do a joebiden impression this close to the election when he's never done one is because snl doesn't want more spot on depiction of joe to illuminate flaws in his campaign that may discourage voters,United States of America,Georgia,GA,Joe Biden,0,-0.7\r\n1094,10/18/2020,damianjrogers compoundboss landaudave rebeccarush639 thecumiashow compoundamerica rebeccarush639 knows how democrat policies have caused rapid decline in california but hey why not keep voting for them. lets allow biden to do the same nationwide. liberalism truly is a mental disease,United States of America,Arizona,AZ,Joe Biden,0,-0.4\r\n1095,10/18/2020,danrather me too anyone else commondecency camus biden maskup debate2020 bidenharrislandslide2020 competence trust trumpairlines trumpsteaks outofbusiness taxdebt stormydaniels jeffreyepstein bigparty hewasthere,United States of America,New York,NY,Joe Biden,1,0.5\r\n1096,10/18/2020,darkmoneydt gop realdonaldtrump a strong economy peace deals &amp; made in america keep us safe. biden wanted open borders and no travel bans would\xe2\x80\x99ve killed many seniors. why not blame the stupid governors that let covid workers treat nursing homes 42% of deaths came from that vote election2020,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1097,10/18/2020,darlyn215 now this is a funny text. obama and hard working should not be in the same sentence. how about obama and joe are shady...that is a more believable sentence. maga2020 bidenharris2020 kag2020 maga biden obamabidengate,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1098,10/18/2020,davidfrum swamp for biden / george bush for biden   yeah all the deep state segregationist fascists for bidenharris2020,United States of America,California,CA,Joe Biden,1,0.2\r\n1099,10/18/2020,davidmweissman i look forward to sleeping better at night once biden wins . bidenharris2020landslide strongerwithbiden,United States of America,California,CA,Joe Biden,1,0.6\r\n1100,10/18/2020,dear american media this isn\xe2\x80\x99t a game. this is lives and businesses. biden,United States of America,Washington,WA,Joe Biden,2,0\r\n1101,10/18/2020,dearauntcrabby yodaquoter joebiden pretty clear trump won\xe2\x80\x99t wait for biden\xe2\x80\x99s inauguration to leave the country if that\xe2\x80\x99s his plan.,United States of America,California,CA,Joe Biden,0,-0.3\r\n1102,10/18/2020,debate guthrie nbctownhall trump harris biden,United States of America,Washington,WA,Joe Biden,2,0\r\n1103,10/18/2020,democrats believe polls \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3 ..wow \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\x99\x84 polls elections2020 biden trump,United States of America,New York,NY,Joe Biden,2,0\r\n1104,10/18/2020,detroitnews they're lying so joebiden would have kept everything open &amp; allowed life to continue as normal,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1105,10/18/2020,dispatchalerts i voted proudly for joebiden  for leadership integrity and wisdom.,United States of America,Ohio,OH,Joe Biden,1,0.8\r\n1106,10/18/2020,ditchmitch he\xe2\x80\x99s destroyed so much of america\xe2\x80\x99s decency it will take years for biden to clean up after him.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1107,10/18/2020,does any of this feel real lol thousands and thousands and thousands of people at trump speeches and 13 people at biden  stops along wherever he goes and the \xe2\x80\x9cprogramming\xe2\x80\x9d on tv called the \xe2\x80\x9cnews\xe2\x80\x9d says biden is leading are we in a simulation for morons,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1108,10/18/2020,does anyone else suspect trump is promoting superspreader rallies in order to intentionally make the pandemic uncontrollable he is that vindictive. he would kill hundreds of thousands more just so biden will face a country in an ungovernable condition.,United States of America,Michigan,MI,Joe Biden,0,-0.9\r\n1109,10/18/2020,drbiden kamalaharris it is an abuse on the elderly to allow joebiden to run for president.,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n1110,10/18/2020,drbiden susanschirillo \xf0\x9f\x92\x99vote votelikeits2012\xf0\x9f\x92\x99votethemallout2020\xf0\x9f\x92\x99 votebluetosaveamerica votebidenharris2020\xf0\x9f\x92\x99 votebluetoendthisnightmare\xf0\x9f\x92\x99voteblue2020\xf0\x9f\x92\x99 bluewave2020\xf0\x9f\x92\x99votebluetosaveamerica2020\xf0\x9f\x92\x99 voteblue joebiden \xf0\x9f\x92\x99bluebidenharris2020\xf0\x9f\x92\x99 bidenharris \xf0\x9f\x92\x99 votebluenomatterwho\xf0\x9f\x92\x99 saveamerica,United States of America,California,CA,Joe Biden,1,0.5\r\n1111,10/18/2020,drericding mikebutcher will masks prevent creep biden from sniffing and harassing women,United States of America,California,CA,Joe Biden,0,-0.3\r\n1112,10/18/2020,driving cross country this week from vegas to upstate ny. will i see more trump or biden bumper stickers on the drive itinerary antelope canyon-colorado springs-kc-tn-ky-ohio-philly-home. good mix of red and blue states leaning slightly toward red. election2020,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n1113,10/18/2020,email from hunter biden to devon archer 4/13/14. hunter wanted to make sure burisma understood that the joebiden visit to ukraine was due to their advice and thinking. hunter was concerned that burisma might expect that hunter had too great an influence on his father.,United States of America,California,CA,Joe Biden,2,0\r\n1114,10/18/2020,emilysi63656931 jimcarrey jimcarrey i love your biden impersonation on snl you are the only reason i watch. alecbaldwin have been impersonating trump for over 4 years and no one complains. it's all a parody keep you the good work. it's the only thing that made me laugh last night.,United States of America,Arkansas,AR,Joe Biden,1,0.7\r\n1115,10/18/2020,exactly . carrey is disrespecting biden. snl are you trying to take biden down  along with trumpvirus,United States of America,New York,NY,Joe Biden,2,0\r\n1116,10/18/2020,facebook \xe2\x80\x98content regulation manager\xe2\x80\x99 anna makanju advised joe biden on ukraine,United States of America,California,CA,Joe Biden,0,-0.3\r\n1117,10/18/2020,fbi chief chris wray hid information from public that absolved president...  via youtube realdonaldtrump fbi doj coup euromaidan kyiv ukraine joebiden hunterbiden,United States of America,Washington,WA,Joe Biden,0,-0.3\r\n1118,10/18/2020,fbr \xf0\x9f\x92\x99\xf0\x9f\x8c\x8a\xf0\x9f\x8e\xb5\xf0\x9f\x8c\x8aresist bluewave blm lbgtq nevergiveup biden/harris 2020 resister voteblue,United States of America,California,CA,Joe Biden,2,0\r\n1119,10/18/2020,ferric242 specialpuppy1 directly above are current fivethirtyeight polling averages. first tier of states w biden nicely over 50 &amp; leads of 6.8 or more get him to 279 ev. second tier w biden above 49 &amp; leading by at least 3.2 gets to 338. ia + ga would make 370. biden also leads in me-2. even in oh.,United States of America,New York,NY,Joe Biden,2,0\r\n1120,10/18/2020,ferric242 specialpuppy1 in \xe2\x80\x9816 i.e. trump could close the gap entirely among undecideds - if the current numbers are even ballpark this cycle he\xe2\x80\x99s got to crush it w undecideds &amp; convert back some folks who are saying they\xe2\x80\x99re for biden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1121,10/18/2020,ferric242 specialpuppy1 one would also think - and certainly it\xe2\x80\x99s what pollsters are saying - that they\xe2\x80\x99ve gone out of their way to ensure no undersample of non-college whites. so in theory the biden leads you\xe2\x80\x99re seeing are based off weights more favorable to the president.,United States of America,New York,NY,Joe Biden,1,0.2\r\n1122,10/18/2020,for my georgia friends. doug emhoff coming your way on sunday. emhoff biden bidenharris biden vote,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1123,10/18/2020,for the people who attended the realdonaldtrump rally in wisconsin you should be denied a bed if you get covid-19. responsible people should get the beds. you reap what you sow. biden bidenharris2020landslide covid19,United States of America,Arizona,AZ,Joe Biden,0,-0.3\r\n1124,10/18/2020,franklin_graham maybe you can put in a good word for the trumpcrimefamily and ask they be forgiven for stealing from a children\xe2\x80\x99s cancer charity and for 219kdeadamericans yeah didn\xe2\x80\x99t think so i\xe2\x80\x99m voting biden gopcorruptionovercountry,United States of America,Washington,WA,Joe Biden,0,-0.6\r\n1125,10/18/2020,gene72214395 dineshdsouza you guys really think someone would pay millions of $$ to say hello to joebiden when he\xe2\x80\x99s in ukraine  he\xe2\x80\x99s sleepyjoe right  he\xe2\x80\x99s not that interesting.  and ps - what they are accusing biden of is happening right now at maralago.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1126,10/18/2020,good job nick and friends first time voters are so important. biden,United States of America,Oregon,OR,Joe Biden,1,0.6\r\n1127,10/18/2020,grantstern chills and tears i love our country so much november cannot get here soon enough when we will have decency leading the usa. \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 i pray for america and a huge blue wave from sea to shining sea 11/3. with biden/harris we will again become a beacon to the world. bidenbelieves,United States of America,Louisiana,LA,Joe Biden,1,0.3\r\n1128,10/18/2020,great super muslim is campaigning this week for joebiden,United States of America,Texas,TX,Joe Biden,1,0.9\r\n1129,10/18/2020,gretchenwhitmer d has locked down michigan like it's north korea and joebiden d is promising more lockdown like it's cowbell but yeah blindpigaa it's all trump's fault as long as orange man loses in november you'll get your business back... \xf0\x9f\xa4\xa1,United States of America,California,CA,Joe Biden,0,-0.7\r\n1130,10/18/2020,gstephanopoulos i think your a pretty intelligent news caster. what i don\xe2\x80\x99t understand is why you obviously know joebiden is losing mental capacity and that he is being propped up do you support him. he will be licking windows before long and eating crayons.,United States of America,Texas,TX,Joe Biden,2,0\r\n1131,10/18/2020,gutfeld to abc and nbcnews how stupid does america look to know you had biden and obama people in the biden townhall,United States of America,California,CA,Joe Biden,0,-0.7\r\n1132,10/18/2020,hey maga biden loves wallstreet,United States of America,New York,NY,Joe Biden,1,0.8\r\n1133,10/18/2020,hoosiers1986 joebiden a vote for biden is a vote for kamala as he won\xe2\x80\x99t stand the scrutiny,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1134,10/18/2020,how about some proof there donny your laptop \xe2\x80\x98scandal\xe2\x80\x99 from idiot son 2 was already debunked. and speaking of corruptpoliticians the muellerreport did not exonerate you &amp; charges will be filed when you\xe2\x80\x99re out of office. donaldtrump joebiden bidenharristosaveamerica,United States of America,California,CA,Joe Biden,0,-0.2\r\n1135,10/18/2020,howardfineman joebiden nypost yes the loving father who won't acknowledge a granddaughter sired by his troubled son. or were you talking about the loving father that demanded 50% tribute payments for all crime family's activities while selling out his own country bidencrimefamily biden,United States of America,California,CA,Joe Biden,0,-0.6\r\n1136,10/18/2020,hunterbiden biden trump,United States of America,Illinois,IL,Joe Biden,2,0\r\n1137,10/18/2020,i don\xe2\x80\x99t know how we reestablish the rule of law here but a good start would be the arrest and prosecution of all who have broken and made a mockery of it for the last four years. if not there will be more to come. biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1138,10/18/2020,i hope senatorromney is voting for joebiden if he really wants those things countryoverparty,United States of America,North Carolina,NC,Joe Biden,0,-0.3\r\n1139,10/18/2020,i just saw a biden ad that said because trump didn't want to shut down the economy in response to covid it's trump's fault the economy is shut down.,United States of America,Colorado,CO,Joe Biden,0,-0.7\r\n1140,10/18/2020,i may never have met you we may not go way back but when you wear a mask you have my respect. because your mask doesn\xe2\x80\x99t protect you it protects me too i wear my mask to protect you maskup america covid19 wearamask vote for joebiden joebiden kamalaharris bidenharris2020,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1141,10/18/2020,i should clarify that north carolina hispanic vote is low percentage compared to other swing states. joebiden cannot afford it to be 2% range. the state is roughly 9% hispanic but low 66% registration numbers among the demographic mean the statewide percentage closer to 4-5%,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n1142,10/18/2020,i think it\xe2\x80\x99s safe to say the person that wrote this isn\xe2\x80\x99t a biden supporter needless to say i expect nothing less from trump supporters. blm biden2020 2020election 2020election bidenharris2020landslide bidenharris2020 biden notmypresident notrump2020 viral retweeet,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n1143,10/18/2020,i will be voting for biden,United States of America,California,CA,Joe Biden,2,0\r\n1144,10/18/2020,i will take woody harrelson over jim carrey any day snl joebiden,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n1145,10/18/2020,i would love to hear from snlalumni to hear how they feel about snl portrayal of joebiden.,United States of America,Nevada,NV,Joe Biden,1,0.7\r\n1146,10/18/2020,i you get anything out of today please let it be this. watch. if this doesn\xe2\x80\x99t feed your spirit then nothing will. peace to you all votebidenharris vote votetrumpout2020 thelincolnproject joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n1147,10/18/2020,i'm voting for joebiden because he is fit in many ways to do the job. vote votebidenharris voteearly,United States of America,Washington,WA,Joe Biden,1,0.5\r\n1148,10/18/2020,icecube ice cube said his plan is for black people specifally . not people of color not minorities he is talking about actual black people and i for one am here for it icecube bidenharris2020landslide trump biden,United States of America,California,CA,Joe Biden,0,-0.3\r\n1149,10/18/2020,if biden has to drop out via arrest gitmo etc what happens to all the votes that have already been cast hunterbiden will bring down the entire bidencrimefamily and likely before nov 3. the \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 people need to know now potus donaldjtrumpjr mariabartiromo ronjohnsonwi,United States of America,Kentucky,KY,Joe Biden,0,-0.1\r\n1150,10/18/2020,in oregon... - voters flock to drop boxes days after ballots mailed  portland pdx orpol beaverton gresham tedwheeler sarahiannarone trump biden gop democrats,United States of America,Oregon,OR,Joe Biden,0,-0.5\r\n1151,10/18/2020,is president donald trump or joe biden better for the stockmarket,United States of America,California,CA,Joe Biden,0,-0.1\r\n1152,10/18/2020,is realdonaldtrump running against hunterbiden hillaryclinton or joebiden. asking for a good friend. vote votebidenharris votetrumpout votethemout votethemallout voteearly voteblue vote,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1153,10/18/2020,it was always a lie. vote for reality joebiden countryoverparty jobs equalityforall,United States of America,North Carolina,NC,Joe Biden,0,-0.3\r\n1154,10/18/2020,it\xe2\x80\x99s amazing how legal and investigative procedures go out the window when it comes to accusations against the bidens from the same people who constantly cry \xe2\x80\x9cdue process\xe2\x80\x9d biden dumptrump2020,United States of America,California,CA,Joe Biden,2,0\r\n1155,10/18/2020,jamesroday kinghenry_2 titans enjoy the success and joebiden vote,United States of America,North Carolina,NC,Joe Biden,1,0.8\r\n1156,10/18/2020,jimcarey is perfect as joebiden on snl \xf0\x9f\x98\x82,United States of America,Georgia,GA,Joe Biden,1,0.8\r\n1157,10/18/2020,jimcarrey .snl i love carrey his movies \xe2\x80\x98kidding\xe2\x80\x99 series brilliant but please stop playing biden on snl biden has much more depth than you are portraying...he is vey smart thoughtful empathic not senile as you are portraying him.  i know humor is subjective but this is harmful.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1158,10/18/2020,jimcarrey killed it with his joebiden imitation.  he's always been a special kinda dude.,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n1159,10/18/2020,joe biden asked xi to 'help him become president' as china seeks us election 'influence\xe2\x80\x99,United States of America,Washington,WA,Joe Biden,0,-0.5\r\n1160,10/18/2020,joe biden's brother and son have a long history of profiting off his name  via nypost,United States of America,Washington,WA,Joe Biden,2,0\r\n1161,10/18/2020,joe biden's career-long love affair with china  via yidwithlid,United States of America,Washington,WA,Joe Biden,1,0.2\r\n1162,10/18/2020,joe rogan on trump saying he'd debate biden on the show joerogan trump joebiden politician businessman,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1163,10/18/2020,joebiden for president,United States of America,Colorado,CO,Joe Biden,1,0.3\r\n1164,10/18/2020,joebiden is not done selling out america after 47 years.  he wants more.  how much do you need joe,United States of America,California,CA,Joe Biden,0,-0.1\r\n1165,10/18/2020,joebiden is running for president.  donaldtrump  is trying to not become jail bait  bunkerboy commonwealth,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n1166,10/18/2020,joebiden rally has 20 cars there. hahahhahahahahahha,United States of America,New York,NY,Joe Biden,1,0.2\r\n1167,10/18/2020,joebiden rally just ended after 21 minutes in nc,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1168,10/18/2020,joebiden tattletale joe america wants to hear what you\xe2\x80\x99ll do not what trump is doing wrong in your opinionwhy don\xe2\x80\x99t you explain what you\xe2\x80\x99ll dolet\xe2\x80\x99s run through some of your highlights pack the court lockdown raise taxesopen borders to rapist &amp; drug lords kill babies joebiden,United States of America,California,CA,Joe Biden,0,-0.8\r\n1169,10/18/2020,joebiden voted last week  blue all the way down the ticket,United States of America,Arizona,AZ,Joe Biden,2,0\r\n1170,10/18/2020,join us to get out the vote in swing states with a great intro to phone banking from professor brian conley suffolk suffolkprochoice biden naral suffolkforbiden prochoice,United States of America,Massachusetts,MA,Joe Biden,1,0.5\r\n1171,10/18/2020,julie lederman is hitting the crack pipe with hunter biden to have scores like that. lomavslopez lopez nice win by lopez though. boxing,United States of America,Nevada,NV,Joe Biden,1,0.1\r\n1172,10/18/2020,karmacondon mtracey biden\xe2\x80\x99s laptop has multiple v\xc3\xa9rifications it belongs to the crackaddict foreign gov reps have confirmed emails. a brainwash bubble over people dems soros agents world communists ccp china pay dimwits n msm to be their echo chambers blmantifaterrorists = dems thugs,United States of America,California,CA,Joe Biden,0,-0.5\r\n1173,10/18/2020,karoli snl is a comedy show. both trump and biden are portrayed as extreme characters. it\xe2\x80\x99s not supposed to be a documentary.,United States of America,California,CA,Joe Biden,0,-0.2\r\n1174,10/18/2020,kelemencari biden does not believe he had to earn votes and hasn\xe2\x80\x99t worked a 40 hour week in years.,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1175,10/18/2020,kevinmkruse sarahcpr that is bc joebiden is just a really good guy\xf0\x9f\x92\xa5and we have reached the supersaturation of neg. biden misinfo. the universe wrt biden is all i am rubber; you are glue whatever you say bounces off me and sticks to you. but please tell me how rudygiuliani found &gt; evidence\xf0\x9f\x99\x84,United States of America,Illinois,IL,Joe Biden,2,0\r\n1176,10/18/2020,kimwood216 fred_guttenberg ronjohnsonwi when joebiden is elected sounds like good ol\xe2\x80\x99 boy ronnie needs to have his computer confiscated &amp; scanned for child porn. a lot of times it\xe2\x80\x99s those who are projecting that are perpetuating the crime - ie trump &amp; his admin they project on a daily basis,United States of America,Illinois,IL,Joe Biden,0,-0.6\r\n1177,10/18/2020,kirstiealley it's crazy because most cult45 trumptards would tell you to stick to acting if you happened to be a biden supporter.,United States of America,Montana,MT,Joe Biden,0,-0.6\r\n1178,10/18/2020,kirstiealley realdonaldtrump i\xe2\x80\x99m not sure if kirstie is being 100% sincere that was a somewhat outdated &amp; extremely stated opinion but i\xe2\x80\x99m fairly certain that had she expressed support for biden she would not have gotten 1% of the replies/attention she has now received. perhaps she accomplished a goal,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1179,10/18/2020,lagunabeach orangecounty joebiden bidenharris2020 voteblue dogs champ &amp; major are going to be back in thewhitehouse americaforbiden republicansagainsttrump republicansforbiden wethepeople vote vota animals animalkingdom firstdog forstdogs whitehouse drbiden,United States of America,California,CA,Joe Biden,2,0\r\n1180,10/18/2020,laprogressive latimes cnnpolitics newyorktimes_on libertarian corona makeamericagreatagain republicans biden democracy elections media like kirstiealley joebiden meme trump2020nowmorethanever supermantrump superman supermanmot trump vote,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1181,10/18/2020,laratrump denies mocking joebiden's stutter suggests cognitive decline thehill,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1182,10/18/2020,let's start a movement to have stevemartintogo play biden on snl instead of jim carrey. firemarshallbill nbcsnl jimcarrey,United States of America,Ohio,OH,Joe Biden,2,0\r\n1183,10/18/2020,looks like doj should appoint a special counsel to look into the biden/ukraine/china/russia/kazakhstan affairs &amp; fbi role in custody of laptops among other pertinent issues. non-fbi should be used - u.s. marshals special duty sec investigators appoint non-doj to oversee.,United States of America,Oklahoma,OK,Joe Biden,0,-0.1\r\n1184,10/18/2020,major soon to be our  \xe2\x80\x98first dog\xe2\x80\x99 is a fosterfail adoptdontshop - \xf0\x9f\x92\x9c joebiden \xf0\x9f\x92\x9cdrbiden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,New York,NY,Joe Biden,1,0.6\r\n1185,10/18/2020,manofthemoment joebiden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1186,10/18/2020,masslivenews facist and it should read  elderly war hero attacked by biden  supporter,United States of America,Illinois,IL,Joe Biden,0,-0.4\r\n1187,10/18/2020,meganmesserly outrageous statement coming from a man who uses churches as photo ops versus a man who quietly goes to weekly mass. biden,United States of America,Oregon,OR,Joe Biden,0,-0.1\r\n1188,10/18/2020,miami \xf0\x9f\x9a\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x9a\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x9a\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x9a\x99vote for joebiden joebiden kamalaharris bidenharris2020,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1189,10/18/2020,mistermcb bruh i had to sign my old last name and was low-key terrified. it was accepted tho so biden for lifeeee,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n1190,10/18/2020,mr. jackson has begun airing on television endorsing president trump's democratic challengers joe biden and kamala harris in his own encouraging words.the  joebiden presidentdonaldtrump samuelljackson votedammitvote,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n1191,10/18/2020,msmary128 luis_montilla7 bottleneck the counting so he can plant doubt and create chaos because he doesn\xe2\x80\x99t give a shit about democracy or the american people. he just wants to make sure that if he loses there is doubt. everyone must come out and vote. it needs to be nothing short of a landslide biden,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n1192,10/18/2020,mynameis linda. i love names. all of them. i stand with kamala  and joebiden   i voted. please vote \xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Arizona,AZ,Joe Biden,1,0.4\r\n1193,10/18/2020,mynameis nicholas greek meaning victorious nieblas latino/mexican/spanish meaning of the clouds. my last name has been fucked up and fucked with my whole life but i am proud to say that i am voting for biden to unseat these racist homophobic sexists.,United States of America,California,CA,Joe Biden,1,0.2\r\n1194,10/18/2020,mynameis prithi pronounced pree-thee it means love  vote for love not hate. god bless america kamalaharris biden,United States of America,New York,NY,Joe Biden,1,0.4\r\n1195,10/18/2020,mynameis sandra. my name means protector of mankind. the strength of powerful women run through my veins.  women who taught me to never back down when you see injustices.  biden/harris  iwillvote utpol,United States of America,Utah,UT,Joe Biden,1,0.3\r\n1196,10/18/2020,m\xc3\xa1s choque entre los votantes de biden y los de trump en miami,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1197,10/18/2020,nancypelosi pushes 25thamendment reform opens door to replacing aging biden with radicalized harris  god help us maga kag trump2020tosaveamerica trump2020landside voteredtosaveamerica election2020,United States of America,Arizona,AZ,Joe Biden,1,0.1\r\n1198,10/18/2020,nbcchicago biden like....,United States of America,New York,NY,Joe Biden,1,0.2\r\n1199,10/18/2020,new preside coming soon boejiden joebiden kamalaharris bideninsultbot,United States of America,Kansas,KS,Joe Biden,2,0\r\n1200,10/18/2020,not sure if this is an unpopular option but bring back jason sudeikis as biden and fire the casting director who thought jim carrey was a good fit for the role. it\xe2\x80\x99s just jim carrey playing a jim carrey type character playing joe biden. snl biden snlcoldopen,United States of America,California,CA,Joe Biden,0,-0.1\r\n1201,10/18/2020,nygovcuomo natlgovsassoc hopefully biden's administration will be in place. they will most definitely answer those questions and biden will help all 50 states and territories. biden will not pit states against each other. biden and his administration will be there for all of us. science,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n1202,10/18/2020,obama administration knew hunter biden was shady witness admits i ny post 2019,United States of America,California,CA,Joe Biden,0,-0.7\r\n1203,10/18/2020,oe biden's son emailed shop owner about hard ...  joebiden hunterbidennypost,United States of America,Washington,WA,Joe Biden,0,-0.3\r\n1204,10/18/2020,oh my goodness i just love this joebidensneighborhood joebiden voteearly,United States of America,North Carolina,NC,Joe Biden,1,0.9\r\n1205,10/18/2020,one of the reasons we need to go all out in the next 2.5 weeks to elect joebiden follow along every saturday and sunday as ms4sf highlights the platforms of biden and trump as they affect climate change and health equity. \xe2\xac\x87\xef\xb8\x8f,United States of America,California,CA,Joe Biden,2,0\r\n1206,10/18/2020,our enemies see america at it's weakest point as the coronavirus pandemic continues to take thousands of americans republicans democrats congress trump biden pence mcconnell pelosi activatethenationalguard nationalguard army navy coastguard airforce defcon covid19,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n1207,10/18/2020,people are literally tweeting they are upset jimcarrey portrays biden as creepy on snl,United States of America,Georgia,GA,Joe Biden,0,-0.9\r\n1208,10/18/2020,postmates $100 credit code 4p1iu      food delivery credit sunday wknd brunch lunch trump biden 2020 corona,United States of America,California,CA,Joe Biden,1,0.1\r\n1209,10/18/2020,potus gop repsforbiden joebiden strange how your words describe donald's side of the family. i pray barron is spared the same mental illness. i know fixing the rose garden was important. i saw the pictures of you digging in the dirt. biden,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1210,10/18/2020,realdonaldtrump contrary to trump\xe2\x80\x99s incessant narrative that under him we had the greatest economy in history the gdp pre-pandemic was not better than during obama/biden and now....  does anyone understand his nonsensical \xe2\x80\x9celect me if you want change\xe2\x80\x9c narrative  he\xe2\x80\x99s potus \xe2\x80\x94now. biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1211,10/18/2020,realdonaldtrump did u see jaketapper's interview w/ laura trump this am called her on her lying bs s illogical thinking &amp; her disability mocking in her prior video. any grain of credibility she had was just flushed down t toilet. great job getting suburban women to vote joebiden laura,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n1212,10/18/2020,realdonaldtrump folks - just remember this is from a guy who said in the debates that he has no problem with distributing misinformation to 80m and let them decide for themselves.  that's leadership for ya.  vote for sanity and less chaos joebiden.,United States of America,New York,NY,Joe Biden,2,0\r\n1213,10/18/2020,realdonaldtrump joebiden is still a \xf0\x9f\x8d\xa9. unwanted calories with an empty hole in the middle,United States of America,Colorado,CO,Joe Biden,0,-0.2\r\n1214,10/18/2020,realdonaldtrump just letting you know that this is really your farewell tour.  so eat it up you losertrump trumpisalaughingstock biden vote,United States of America,New Mexico,NM,Joe Biden,1,0.3\r\n1215,10/18/2020,realdonaldtrump trump trumpnotfitforoffice resist biden2020 biden bidenharris bidenharris2020tosaveamerica,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1216,10/18/2020,realdonaldtrump trump\xe2\x80\x99s october campaign strategy about \xe2\x80\x9chillary\xe2\x80\x99s emails\xe2\x80\x9d worked in 2016 although it turned out to be false. trump is trying again in 2020 with \xe2\x80\x9chunter biden emails.\xe2\x80\x9d americans are not that dumb. fool me once . . . 2020election maga biden,United States of America,Idaho,ID,Joe Biden,0,-0.5\r\n1217,10/18/2020,realdonaldtrump we love joe biden\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99 can\xe2\x80\x99t wait  to have someone kind and respectful in the white house again and to get rid of covid-19 \xf0\x9f\x92\x99biden/harris2020\xf0\x9f\x92\x99,United States of America,South Carolina,SC,Joe Biden,1,0.8\r\n1218,10/18/2020,realdonaldtrump what they are accusing joebiden of happens every weekend at maralago  millionaires and billionaires paying the trump family $$$ to mingle and rub shoulders with the potus.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1219,10/18/2020,realjameswoods orangeyou biden laptop corruption,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1220,10/18/2020,reallyamerican1 thedemcoalition there is no way joebiden can get a security clearance for the presidency under current circumstances. furthermore too much is on the line and too much is unknown for him to continue running for president. we should not enable him any longer - for the sake of national security.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1221,10/18/2020,republicans democrats congress trump biden election2020 oil energy stocks wallstreet,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n1222,10/18/2020,research what both potus &amp; joebiden have accomplished since they've held public office and see what they offer. biden hasn't done shit and now we're supposed to believe him come on man try voting red for once if it's worth finally seeing change. biden potus trump2020,United States of America,California,CA,Joe Biden,0,-0.1\r\n1223,10/18/2020,russobrothers &amp; \xe2\x80\x98theavengers\xe2\x80\x99 stars to assemble for joebiden fundraiser  via deadline,United States of America,Florida,FL,Joe Biden,2,0\r\n1224,10/18/2020,scary times we live in. right wing domestic terrorists. on american soil. america rightwingterrorism biden,United States of America,California,CA,Joe Biden,0,-0.3\r\n1225,10/18/2020,seal team six  - charles strange - extortion 17  via youtube obama and biden are responsible forthiscrap obamabidenextortion,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1226,10/18/2020,seattle is dying direct result of left wing liberal politics seattle mayor seattle city council and governor inslee a komo news documentary  via youtube nfl blacklivesmatter amyconeybarrett bidenharris2020 blexit nfltwitter colinkaepernick biden,United States of America,Washington,WA,Joe Biden,0,-0.8\r\n1227,10/18/2020,senschumer scotus will be confirmed before the election chuckles.. and there is nothing you can do about it. there will be no transition because trump will win. it's hard to believe that even a swamp creature like you can back joebiden. biden has no clue and you know it.,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1228,10/18/2020,serious question- is there anyone out there who is voting for biden who when asked why can give any reason that doesn't have anything to do with disdain for trump  i'm asking in all seriousness. please retweet and reply.,United States of America,South Carolina,SC,Joe Biden,0,-0.5\r\n1229,10/18/2020,sharylattkisson\xf0\x9f\x92\xbbconfiscated by fbi thejusticedept tremendous legal\xf0\x9f\x92\xb5 fullmeasurenews obama biden violation 1sta law shut down freedom press dnc owns msm benrhodes brother cbs_herridge cbs prez tit for tat payoff collusion conspiracy abc nbc cbs exact \xf0\x9f\x91\x80 \xf0\x9f\x93\xba coverage,United States of America,Massachusetts,MA,Joe Biden,1,0.1\r\n1230,10/18/2020,sleepyjoe will not have any public appearances until thursday's debate. that gives him another few days to ignore questions about the supreme court the corruption inside his family &amp; the selling of influence. bidenharris2020 biden joebiden hunterbidenlaptop hunterbiden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1231,10/18/2020,snl takes on dueling trump and biden townhalls in its coldopen  via voxdotcom news tv television elections2020 2020election vote bidenharris2020 trumpisalaughingstock,United States of America,Texas,TX,Joe Biden,2,0\r\n1232,10/18/2020,spending part of my saturday night phone banking for biden in nevada. getting lots of strong biden support and lots of folks have already voted bidenharris2020 biden bluewave2020 nevadavotes,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n1233,10/18/2020,spiroagnewghost thebushcenter bush is saying something by not supporting trump but it would be much more powerful if he just endorsed joebiden,United States of America,California,CA,Joe Biden,0,-0.4\r\n1234,10/18/2020,steelers falcons spurs 2020election joebiden joewillleadus \xf0\x9f\x91\x89\xf0\x9f\x8f\xbb\xf0\x9f\x91\x89\xf0\x9f\x8f\xbb\xf0\x9f\x91\x89\xf0\x9f\x8f\xbb,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n1235,10/18/2020,sundaythoughts sundaymorning sundaymood donaldtrump is probably not being fully honest when he says he's going to leave the country if joebiden  becomes president but at least by saying he's going to leave the country he seems like he's willing to leave office. trumpcoup,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1236,10/18/2020,supitsshekinah biden is pelosi\xe2\x80\x99s puppet.,United States of America,California,CA,Joe Biden,0,-0.1\r\n1237,10/18/2020,svdate\xe2\x81\xa9 i did it again- walked into my buckhead polling station &amp; voted biden &amp; straight democratic ticket in an effort to wake up the gop hopefully this time republicansforbiden will tip the scales and end this insanity republicanharbingerofdoom,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n1238,10/18/2020,tedcruz you nearly lost to beto o\xe2\x80\x99rourke in texas of all places. that\xe2\x80\x99s how much people disrespect your obsequious submission to realdonaldtrump   you will never wash the trump stink off your cringing loser self after he goes down to ignominious defeat to joebiden and dies in prison,United States of America,Illinois,IL,Joe Biden,0,-0.4\r\n1239,10/18/2020,tell me biden supporters why are you voting him no trash talking about trump just why would you vote for him,United States of America,Tennessee,TN,Joe Biden,0,-0.9\r\n1240,10/18/2020,testingforall americans america covid19 wearamask socialdistance washyourhands listen to the science sciencematters &amp; vote for joebiden joebiden kamalaharris bidenharris2020,United States of America,Florida,FL,Joe Biden,2,0\r\n1241,10/18/2020,th3d0n_1337 mysterymom14 cali_verb foxnews it\xe2\x80\x99s so bizarre.  all these accusations happens every weekend in maralago with trump.  billionaires and millionaires paying the trump family $$$ to rub shoulders and get some me time with potus.  what\xe2\x80\x99s the difference i\xe2\x80\x99m confused.  joebiden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1242,10/18/2020,thanks scmpnews for picking our effort to use music to get people engaged in the elections biden trump htownvotes houston art music,United States of America,Texas,TX,Joe Biden,1,0.7\r\n1243,10/18/2020,that being said at this point in 2016 trump camp didn't think they'd win hillary camp i was part of traveling press corps thought they would. but there isn't as much biden hate...and we're in a pandemic with covid19 cases up by 50% in key states like here in florida,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1244,10/18/2020,the emails from hunterbiden are real and expose his father joebiden as a crook. this is enough to impeach and remove a sitting president.,United States of America,Georgia,GA,Joe Biden,0,-0.6\r\n1245,10/18/2020,the good thing about joebiden front yard signs are they help show little kids avoid where the pedophiles and/ or their supporters might live.,United States of America,Georgia,GA,Joe Biden,2,0\r\n1246,10/18/2020,the msm n dc doing best to wash over this story/ watching user clip biden tells story of getting the ukraine prosecutor fired cspan,United States of America,California,CA,Joe Biden,0,-0.6\r\n1247,10/18/2020,the next first dog- major joebiden drbiden joebiden jillbiden vote bidenharris2020,United States of America,Nevada,NV,Joe Biden,1,0.1\r\n1248,10/18/2020,the only pre-existing conditions that trump is protecting is his stupidity and the republicans moral corruption.   vote joebiden kamalaharris bidenharris2020 biden,United States of America,California,CA,Joe Biden,0,-0.3\r\n1249,10/18/2020,thedemcoalition joebiden there is no way joebiden can get a security clearance for the presidency under current circumstances. furthermore too much is on the line and too much is unknown for him to continue running for president. we should not enable him any longer - for the sake of national security.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1250,10/18/2020,thedemocrats anchoragedemoc1 voting biden/harris alaskan native \xf0\x9f\x92\xaf democrat as always \xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x97\xb3\xf0\x9f\x97\xb3\xf0\x9f\x97\xb3,United States of America,Alaska,AK,Joe Biden,1,0.1\r\n1251,10/18/2020,thekjohnston i voted for joebiden in wisconsin. cheese head for biden.,United States of America,Wisconsin,WI,Joe Biden,2,0\r\n1252,10/18/2020,theplumlinegs what is the justification for paulareidcbs and others defending boerickson for confronting biden with the already discredited russiandisinformation circulated by stevebannon and rudygiuliani,United States of America,Virginia,VA,Joe Biden,0,-0.4\r\n1253,10/18/2020,there is literally nobody there. what a farce. biden teleprompterjoe,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1254,10/18/2020,there is no way joebiden can get a security clearance for the presidency under current circumstances. furthermore too much is on the line and too much is unknown for him to continue running for president. we should not enable him any longer - for the sake of national security.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1255,10/18/2020,this blindpig commercial for biden is a good one,United States of America,Pennsylvania,PA,Joe Biden,1,0.8\r\n1256,10/18/2020,this is how we know donald trump is a racist. orangearmy orangecounty newportbeach trumpcrimefamily biden bidenharris2020landslide bidenharris2020tosaveamerica blm blacklivesmatter blackpink dictatortrump trump,United States of America,Texas,TX,Joe Biden,2,0\r\n1257,10/18/2020,this is one reason i didn\xe2\x80\x99t vote for him in the democratic primaries. if you voted for joebiden in the primaries you voted against peace and against civil rights.,United States of America,California,CA,Joe Biden,0,-0.7\r\n1258,10/18/2020,thomas gallatin hunter biden's trouble grows house gop questions fbi \xe2\x80\x94 the patriot post,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n1259,10/18/2020,those who already voted for joebiden,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1260,10/18/2020,thrivin with biden latinosconbiden,United States of America,Florida,FL,Joe Biden,2,0\r\n1261,10/18/2020,to the those of you attacking ppl for being a \xe2\x80\x9ctrump\xe2\x80\x9d supporter i have a question. you attack us bcuz you assume we\xe2\x80\x99re racists etc.. you narrow us out bcuz of our maga hat. have we attacked you for wearing blm or joe biden merchandise joebiden blm antifa stoptrumpsterror,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1262,10/18/2020,trump and biden to court early voters as u.s. campaign gathers steam,United States of America,California,CA,Joe Biden,0,-0.1\r\n1263,10/18/2020,trump hillary biden what are they signing,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n1264,10/18/2020,trump is a disruptive malcontent.  the republicans realize what a mistake he is now biden trumpcrimefamily,United States of America,Massachusetts,MA,Joe Biden,0,-0.6\r\n1265,10/18/2020,trump voters angry at biden over hunter biden . the rest angry with trump over covid19 . whats in majority,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1266,10/18/2020,truth lol biden trump democrat republican funny crookedjoebiden bidencrimefamily bidencorruption bidenemails,United States of America,Pennsylvania,PA,Joe Biden,1,0.7\r\n1267,10/18/2020,twitter is in joebiden \xe2\x80\x98s pocket. twitter must be regulated any subject to the same laws that other publishers are subject to. hunterbidenemails crookedbiden twitterdown,United States of America,California,CA,Joe Biden,2,0\r\n1268,10/18/2020,usa_minute ferric242 specialpuppy1 it\xe2\x80\x99s very ugly. i just basically think fundamentals of this race are so locked in i don\xe2\x80\x99t see this as an issue that\xe2\x80\x99ll peel away any biden support even those who aren\xe2\x80\x99t gung ho. maybe helps trump at margins w undecideds but that\xe2\x80\x99s virtually certainly not enough folks,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1269,10/18/2020,usatoday emails already corroborated... cut the \xf0\x9f\x92\xa9you protecting yo boy biden,United States of America,California,CA,Joe Biden,0,-0.7\r\n1270,10/18/2020,vatechphidelt he just \xe2\x80\x9cclaimed\xe2\x80\x9d to be the \xe2\x80\x9cpresident of everybody\xe2\x80\x9d \xe2\x80\x94 he\xe2\x80\x99s such a grotesque liar from day 1 four years ago he made it clear that he would only be the president of people who voted for him. i can\xe2\x80\x99t wait til we have a president of all of america biden bidenharrislandslide,United States of America,Texas,TX,Joe Biden,2,0\r\n1271,10/18/2020,vote vote2020 voteblue2020 votehimout voteforchange votevotevote votelikeyourlifedependsonit voteearly election2020 election2020 electionsmatter electionshaveconsequences bidenharris2020 biden biden2020 joebiden kamalaharris kamalaharris2020,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1272,10/18/2020,vote vote2020 voteblue2020 votehimout voteforchange votevotevote votelikeyourlifedependsonit voteearly election2020 election2020 electionsmatter electionshaveconsequences bidenharris2020 biden biden2020 joebiden kamalaharris kamalaharris2020,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1273,10/18/2020,vote voteearly voteinperson joebiden kamalaharris bidenharris2020,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1274,10/18/2020,voted today.2 lines wrapped around the building.everyone was masked friendly laughing. line constantly  one yelled cursed or fought. trump and biden supporters stood close togetherwaving their signs with no hint of violence or intimidation. usa,United States of America,Mississippi,MS,Joe Biden,2,0\r\n1275,10/18/2020,wanderlustgalli bissygumdrops nope. everyone in dc likes biden she is just making excuses for darker motives.,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n1276,10/18/2020,warroompandemic ugh cut your hair shave and pull up your pants and stop your lyin\xe2\x80\x99 and vote for biden,United States of America,California,CA,Joe Biden,0,-0.6\r\n1277,10/18/2020,washingtonpost president whose reelection hangs in the balance trump faces prospect of much of the blame and blowback \xe2\x80\x94 despite his efforts to deflect responsibility onto his foes. he trails joe biden significantly in the polls. vote allinforvoting biden americaortrump,United States of America,Oregon,OR,Joe Biden,2,0\r\n1278,10/18/2020,what did joe biden know about hunter's crook emails goodwin,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1279,10/18/2020,what happened to rachel vindman\xe2\x80\x99s family could happen to anyone. join the bidencoalition and vote yes to making right matter  demcast demcastca joebiden bidenharris2020landslide,United States of America,California,CA,Joe Biden,2,0\r\n1280,10/18/2020,who are you voting for president of the united states on nov. 3 2020 vote biden trump bidenharris2020 trump2020 bidenharris2020landslide trump2020landslide poll,United States of America,California,CA,Joe Biden,0,-0.2\r\n1281,10/18/2020,who would have thought venezuela would be so crucial in us elections ... biden \xe2\x80\x9cforgets\xe2\x80\x9d obama\xe2\x80\x99s eo and trump sanctions are killing thousands of venezuelans.. not to mention the theft of citgo and all of venezuela\xe2\x80\x99s assets in the us worth billions,United States of America,Ohio,OH,Joe Biden,0,-0.6\r\n1282,10/18/2020,whose job is it to decide what trends on twitter just jack 105k tweets for ronjohnson but he\xe2\x80\x99s at no. 21. meanwhile top tweets have about 3k tweets. none are political. perhaps twitter put a lid on their biden campaign too.,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1283,10/18/2020,why is trump polling in anything with 40% he must be rated like he rates others  zero biden \xf0\x9f\x92\xaftrump \xf0\x9f\x9a\xab,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1284,10/18/2020,why wasn\xe2\x80\x99t you all mad in 1994 criminalbill joebiden,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1285,10/18/2020,wolfblitzer realdonaldtrump joebiden kamalaharris govwhitmer cnnsitroom has joebiden announced that he intends to pick mayorpete for his long term booty call,United States of America,Arizona,AZ,Joe Biden,1,0.2\r\n1286,10/18/2020,worth rt again because this is so important--when scientists say we didn't have to lose 220k+or it didn't have to be this way-this is exactly what they mean. it was avoidable still is. it's within our control--but has to be everyone. covid19 joe with help us do thisjoebiden,United States of America,Massachusetts,MA,Joe Biden,1,0.1\r\n1287,10/18/2020,wow two weeks until election and you don\xe2\x80\x99t campaign. that\xe2\x80\x99s telling biden bidencrimefamily,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n1288,10/18/2020,x22report well then 2 joebiden,United States of America,South Carolina,SC,Joe Biden,1,0.2\r\n1289,10/18/2020,you know your career is in the gutter when you have to make $ on cameo...right debramessing no work = cameo. trump2020 trump maga kag2020 kag bidenharris2020 biden when joebiden losses he can be on it too.,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1290,10/18/2020,zigmanfreud two huge issues i have - even if true what teamtrump is accusing joebiden of happens every weekend in maralago i.e. millionaires paying the trump family $$ to rub shoulders with the potus and someone asked hunterbiden for advice. doesn't mean he responded.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1291,10/18/2020,\xe2\x80\x9canother email to hunter biden from a consultant says that a 10% stake in an unnamed company will go to \xe2\x80\x98the big guy\xe2\x80\x99 the \xe2\x80\x98big guy\xe2\x80\x99 was not identified.\xe2\x80\x9d,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1292,10/19/2020,latinosfortrump biden elections 4moreyears walkaway blexit lexit,United States of America,New York,NY,Joe Biden,2,0\r\n1293,10/19/2020,*so* good. go blue and go joebiden goblue joebiden,United States of America,New York,NY,Joe Biden,1,0.5\r\n1294,10/19/2020,.realdonaldtrump is the man who laughs at a person who stutters. joebiden is the man who gives them a hug and tells them it\xe2\x80\x99ll be ok. joebiden makeamericakindagain bidenharris2020,United States of America,District of Columbia,DC,Joe Biden,1,0.5\r\n1295,10/19/2020,1 troyaikman properly identifies it as the kamala/biden ticket; 2 he's right that regime will indeed be less given to such racist salutes to our nation's greatness and 3 they're probably just kidding around let's get on with our lives. joebuck,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1296,10/19/2020,2020election vote voteearly democats joebiden americ,United States of America,Arizona,AZ,Joe Biden,1,0.2\r\n1297,10/19/2020,6news joebiden has been a fraud is entire life.,United States of America,Tennessee,TN,Joe Biden,0,-0.8\r\n1298,10/19/2020,8 tips to stay sane in the final 15 days of the campaign  election campaign trump biden pence harris senate polling polls covid covid19 corona virus trumpvirus voters gotv voting vote,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1299,10/19/2020,_adamfitzgerald realwayneroot annakhait that sounds like a bunch of bullshit. i can understand hunter biden and his corruption in ukraine and dealings with the chinese and joebiden's own corruption being true but this is completely outlandish.,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n1300,10/19/2020,a moron just said joebiden hates the military. beau was in the military while he was fighting for his country what were the trump kids doing stealing money from charities designing bags having an affair w/a pop star while helping daddy on his reality show trumpcrimefamily,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1301,10/19/2020,a poll reveals that jewish israelis overwhelmingly prefer trump to joe biden. why won't the u.s. mainstream media show us this true right-wing israel not the dream castle version israel palestine our post mondoweiss.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1302,10/19/2020,all americans left right and center need to hear about the hunterbiden and joebiden's business arrangement with china and ukraine.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1303,10/19/2020,america is truly broken when the race is so close between biden &amp; a pathologically-lying corrupt sexist racist disabled-mocking ethically/morally/empathy-bankrupt dangerous covid-denying sadistic mass-murdering democracy-raping dictator-wannabe impeached traitor...trump,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1304,10/19/2020,americafirst007 joebiden nor kamalaharris nor their representatives would ever come on my show.,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1305,10/19/2020,amyxi11 joebiden wegotavoice2 no it\xe2\x80\x99s not even close. trump has 12% odds as of yesterday and biden is projected to win 347 electoral votes. at this time in 2016 hillary was at 52% and trump was at 49.5%\xe2\x80\x94and she was losing both in august and june. biden has never even come close to a tie. stop the lies \xf0\x9f\x9b\x91,United States of America,California,CA,Joe Biden,0,-0.5\r\n1306,10/19/2020,and main problem with bigtech &amp; msm disappearing biden emails story is that we have to know if next president of us is highly susceptible to blackmail from us\xe2\x80\x99s now-biggest geopolitical military &amp; political adversary china .. which wants to take america &amp; her allies down.,United States of America,District of Columbia,DC,Joe Biden,0,-0.9\r\n1307,10/19/2020,andrewleetcnt vote for joebiden on behalf of hunterbiden\xe2\x80\x99s income needs.,United States of America,Minnesota,MN,Joe Biden,2,0\r\n1308,10/19/2020,aslavitt biden so i can go here again.,United States of America,Wisconsin,WI,Joe Biden,2,0\r\n1309,10/19/2020,atheist_in_nc geraldorivera alot - proof of backdoor deals with biden during his presidency with obama - very corrupt. whereshunter,United States of America,California,CA,Joe Biden,0,-0.1\r\n1310,10/19/2020,atwasdok fbcoachdoug wedwarda joebiden kamalaharris and bullying joebiden\xe2\x80\x99s last standing child is really really cruel.  exploiting something so personal - that\xe2\x80\x99s very personal to joe is really classless.  and it just magnifies the empathy difference between him and donaldtrump. it\xe2\x80\x99s truly horrifying.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1311,10/19/2020,avindman natsechobbyist you wouldve blown the whistle if joebiden and hunterbiden were committing corruption in your beloved ukraine right hunterbidensukrainescandal,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1312,10/19/2020,b52malmet susanstone110 act like you're losing until someone tells you you won biden bidenharris bidenharristosaveamerica bidenharrislandslide2020,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n1313,10/19/2020,bawlaw99 so if biden is so far ahead what are these people doing then trump2020 god is still in control and his hand is on donaldtrump and he has done everything he said he would for veterans,United States of America,Oklahoma,OK,Joe Biden,0,-0.3\r\n1314,10/19/2020,beastieboys license a song for an ad for first time ever for joebiden spot focused on live music shutdown  via variety,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1315,10/19/2020,betoorourke joebiden joebiden for prison  stop the corruption,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n1316,10/19/2020,beyond prime day fall moviescbd ketoincomeloans.qualilty of life&lt;   biden,United States of America,California,CA,Joe Biden,1,0.2\r\n1317,10/19/2020,bhrenton his wife will be happy with biden decision to cancel christmas potus,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1318,10/19/2020,biden and schumer face battles with left if democrats win big thehill,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1319,10/19/2020,biden bidenharris joewillleadus bidenharris2020 democracy votehimout vote election2020 bluewave very interesting first 90 secs says a lot. what do u think americafirst,United States of America,New York,NY,Joe Biden,2,0\r\n1320,10/19/2020,biden bidenharristosaveamerica,United States of America,Washington,WA,Joe Biden,1,0.3\r\n1321,10/19/2020,biden calls media blackout until thursday  biden.trump election,United States of America,Washington,WA,Joe Biden,0,-0.4\r\n1322,10/19/2020,biden doubles down on abortion pledge  biden abortion bioethics medicalethics cnalive,United States of America,Pennsylvania,PA,Joe Biden,0,-0.6\r\n1323,10/19/2020,biden has made a very public promise to stop giving arab autocrats a \xe2\x80\x9cblank check.\xe2\x80\x9d,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1324,10/19/2020,biden has promised to create a roadmap for citizenship for 11 million undocumented people in the us including thousands of undocumented irish.  joebiden election2020,United States of America,New York,NY,Joe Biden,1,0.3\r\n1325,10/19/2020,biden hidin' in his basement for 5 days is telling. he already did his debate prep weeks ago. whereishunter why doesn't hunter come out and address his emails whereisbiden,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1326,10/19/2020,biden holds 11-point lead over trump. here's what the polling shows.   holding firm joe,United States of America,New York,NY,Joe Biden,1,0.2\r\n1327,10/19/2020,biden put another lid on his campaign until next debates2020 night. what is he hiding hunterslaptop,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n1328,10/19/2020,biden unveils his updated campaign logo joebiden sleepyjoe biden,United States of America,California,CA,Joe Biden,1,0.1\r\n1329,10/19/2020,bidengate  biden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1330,10/19/2020,bigtech joebiden biden censorship democrat leftist progressive google facebook boycott trump will win with or without socialmedia realdonaldtrump trump2020,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1331,10/19/2020,billstepien debates \xe2\x80\x9cplaying the refs\xe2\x80\x9d might work a bit better if your letter appeared to have been written by an adult. unfortunately mr stepien\xe2\x80\x99s missive was edited by trump note the section which declares the president\xe2\x80\x99s debate \xe2\x80\x98victory\xe2\x80\x99 over chris wallace and joebiden. gop is broken,United States of America,California,CA,Joe Biden,0,-0.7\r\n1332,10/19/2020,blm joebiden biden blacklivesmatter democrat dnc republican rnc,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1333,10/19/2020,brave americans are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1334,10/19/2020,brave texans are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1335,10/19/2020,bye orange cheeto trump joebiden vote democrats,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1336,10/19/2020,captainamerica superman biden bidenharris miami miamidade calleocho florida nevertrump ananavarro,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1337,10/19/2020,catturd2 joebiden's no responses lately have sounded too much like pleading the fifth.  saferathome,United States of America,Alabama,AL,Joe Biden,0,-0.1\r\n1338,10/19/2020,check out what i just listed on mercari. tap the link to sign up and get up to $30 off. wcw nwo covid19 joebiden stayhome wolfpack autographs,United States of America,Wisconsin,WI,Joe Biden,1,0.1\r\n1339,10/19/2020,chipfranklin already voted biden,United States of America,Illinois,IL,Joe Biden,2,0\r\n1340,10/19/2020,coffeetog a true leader doesn\xe2\x80\x99t need militia because people like and respect him. 46 joebiden,United States of America,Arizona,AZ,Joe Biden,2,0\r\n1341,10/19/2020,cwabobmaster katrinanation powellnyt adybarkan bradlander bkettenring thanks. yes platforms rhetoric &amp; records aren't destiny. alas biden is awfully old addled &amp; habituated to serving banks corporations &amp; war-mongers. but his removal or death could open space for transformative change. kamalaharris has potential.,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1342,10/19/2020,danduq00 proudsocialist dbigorion when you advocate for joebiden it just helps to perpetuate this cycle that democrats and progressives are involved in. we can't break free of the hold of the neoliberals of the democraticparty if we keep letting them use they're agency and reward them with power in the end.,United States of America,Maryland,MD,Joe Biden,2,0\r\n1343,10/19/2020,danduq00 what i'm suggesting is that we advocate during these elections to push for progressive congressman as well as the house. we deliberately move away from neoliberal candidates. in the meantime we deny joebiden the oval office. were still electing people to congress even now.,United States of America,Maryland,MD,Joe Biden,0,-0.5\r\n1344,10/19/2020,danrather yeah totally made me rethink my already-cast early vote for joe biden . who wants all that science and compassion when we could have 4 more years just like 2020,United States of America,Texas,TX,Joe Biden,2,0\r\n1345,10/19/2020,danscavino facebook is so desperate to get their corrupt boy joebiden elected as every video on my main facebook stream which groups -tv stations i do not follow\xe2\x80\x94pop-up and is anti-donaldtrump fakenews propaganda \xe2\x80\x94yup \xe2\x80\x9cso far left they forgot what\xe2\x80\x99s right.\xe2\x80\x9d \xc2\xa9 zouvelosgeorge  2020,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1346,10/19/2020,darryl barnes 59 and his wife brenda 55 said they always know which candidates they\xe2\x80\x99re voting for in time to vote early when possible. this year though racial inequity &amp; injustice made them even more anxious to cast their votes for joebiden tb_times,United States of America,Florida,FL,Joe Biden,2,0\r\n1347,10/19/2020,davidmweissman ntntgo brave floridians are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1348,10/19/2020,dear america here\xe2\x80\x99s your choice. it\xe2\x80\x99s that simple. a pathologically-lying sociopath who after 8 months continues to risk our lives by denying science or in his own words the other guy who\xe2\x80\x99ll \xe2\x80\x9clisten to the scientists\xe2\x80\x9d. the choice is yours... trump biden covid19 coronavirus,United States of America,New York,NY,Joe Biden,2,0\r\n1349,10/19/2020,demcast demcasttx wtp wtpsenate wtpbiden blm joebiden joebidenkamalaharris2020 nancypelosi,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1350,10/19/2020,demcast demcasttx wtp wtpsenate wtpbiden blm joebiden joebidenkamalaharris2020 nancypelosi,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1351,10/19/2020,demcast demcasttx wtp wtpsenate wtpbiden blm joebiden joebidenkamalaharris2020 nancypelosi,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1352,10/19/2020,demcast demcasttx wtp wtpsenate wtpbiden blm joebiden joebidenkamalaharris2020 nancypelosi,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1353,10/19/2020,demcast demcasttx wtp wtpsenate wtpbiden blm joebiden joebidenkamalaharris2020 nancypelosi,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1354,10/19/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1355,10/19/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1356,10/19/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1357,10/19/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1358,10/19/2020,democrats panic as more bombshell emails and revelations are coming out  via youtube hunterbidenemails hunterbiden joebiden,United States of America,California,CA,Joe Biden,0,-0.8\r\n1359,10/19/2020,democrats your time is over god always wins and he wants realdonaldtrump for another 4 years. your party will be no more. trump2020 republicans america usa democrats biden,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1360,10/19/2020,dgordon52 nobody\xe2\x80\x99s laughed danced or cracked a smile since february i guess \xf0\x9f\xa7\x90.  or gone out for spa days pelosi . this that fake outrage bs to stir the pot and try to anger americans .  vote biden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1361,10/19/2020,donaldtrump mocks joebiden for listening to scientists. sunday in nevada.,United States of America,California,CA,Joe Biden,1,0.2\r\n1362,10/19/2020,dont believe the polls showing a big biden lead. the msmistheenemyofthepeople are setting up for the chaos following trumpvictory,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1363,10/19/2020,donwinslow act like you're losing until someone tells you you won biden bidenharris bidenharristosaveamerica bidenharrislandslide2020,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n1364,10/19/2020,dueling town halls takeaways  via youtube biden harris vpdebate2020 trump2020 americaneedstrump silentmajorityfortrump maga,United States of America,California,CA,Joe Biden,1,0.2\r\n1365,10/19/2020,dumptrump2020 erictrump evangelicals voteblue crazyrepublicans fakechrisitians catholics arizona trumpfailedamerica veteransforbidenharris2020 california laptopgate texas christians joebiden florida cocaineconservatives methheadmagats,United States of America,California,CA,Joe Biden,1,0.2\r\n1366,10/19/2020,earlyvoting in nv for joebiden,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n1367,10/19/2020,eleccionesbolivia2020 blmuk anonymous breaking china captainsafdar gold ilorinprotest joebiden loonaisback patriots ps5,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1368,10/19/2020,electproject have already been seeing the stories about righed machines switching votes from joebiden to the other guy. watch every detail. the bad guys cheat.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n1369,10/19/2020,ericswalwell \xf0\x9f\xa4\xaesenator johnson is a russian puppet. we have no proof but people are saving.  draintheswamp\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 criminal crimefamily news traitor traitortrump moscow moscowmitch bannon prizon resit divorcetrump trump joebiden biddenharris2020 randyrainbow,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1370,10/19/2020,erictrump we are.  joebiden trumplied200kdied nevertrump bluewave2020,United States of America,New York,NY,Joe Biden,2,0\r\n1371,10/19/2020,erictrump yes.... good... use your hate. biden,United States of America,California,CA,Joe Biden,1,0.1\r\n1372,10/19/2020,esaagar biden cnn,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1373,10/19/2020,every texas that desires change needs to get out and vote for joebiden. he\xe2\x80\x99s the only candidate that truly cares what happens to our country and her people. vote blue d up and down the ballot.,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1374,10/19/2020,every time donthecon opens his mouth his hugely mouth biden gets hundreds more votes.,United States of America,Arizona,AZ,Joe Biden,1,0.2\r\n1375,10/19/2020,florida company warned employees of layoffs if biden wins thehill,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1376,10/19/2020,franklin_graham biden,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n1377,10/19/2020,gary\xe2\x80\x99s old town tavern would of voted for trump bidenharris2020landslide biden bidenharris cheers,United States of America,California,CA,Joe Biden,1,0.2\r\n1378,10/19/2020,getting in line to vote for joebiden and kamalaharris 1015 am it won\xe2\x80\x99t matter how long it takes. votebiden joebiden bidenharris2020landslide,United States of America,Florida,FL,Joe Biden,2,0\r\n1379,10/19/2020,giannocaldwell joebiden actually - for 120 million americans who depend on preexistingconditions - i\xe2\x80\x99ll say joebiden passes on that question - thank you very much gianno...  and i\xe2\x80\x99m a republican.,United States of America,New York,NY,Joe Biden,2,0\r\n1380,10/19/2020,gop is realdonaldtrump aka trumputin talking to himself out therewhere\xe2\x80\x99s those so-called giant crowdstrumputin wasted 4 years and made a mockery of our country.he did not deserve them &amp; he certainly does not deserve 4 more.what trumputin should have is 8 years in prison. joebiden,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1381,10/19/2020,gop no thanks. your idea of winning needs a complete makeover... which we plan to do when joebiden wins on november 3 rd. votelikeyourlifedependsonit votebidenharris,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n1382,10/19/2020,gopchairwoman literally said. no didn\xe2\x80\x99t want to ban it time and time again. pretty sure biden has been super consistent with this statement.,United States of America,California,CA,Joe Biden,0,-0.2\r\n1383,10/19/2020,hakeem_jeffries joebiden is a criminal and needs to go to jail,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n1384,10/19/2020,hartford courant presidential endorsement \xe2\x80\x9cyou probably think you can vote for donald trump but not support racism; here\xe2\x80\x99s why you\xe2\x80\x99re wrong\xe2\x80\x9d - \xe2\x81\xa6hartfordcourant\xe2\x81\xa9 connecticut \xe2\x81\xa6joebiden\xe2\x81\xa9 chrismurphyct\xe2\x81\xa9 \xe2\x81\xa6\xe2\x81\xa9 ctdems\xe2\x81\xa9 biden trump,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1385,10/19/2020,heatheriam23 thank you obama biden democraticparty,United States of America,Texas,TX,Joe Biden,1,0.8\r\n1386,10/19/2020,hells yeah. \xf0\x9f\xa4\x98\xf0\x9f\x8f\xbb\xf0\x9f\x97\xb3\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 biden beastieboys vote bidenharris \xe2\x81\xa6beastieboys\xe2\x81\xa9,United States of America,Texas,TX,Joe Biden,1,0.5\r\n1387,10/19/2020,here we go again \xe2\x81\xa6flotus\xe2\x81\xa9 bashes christmas and drumpf is out there blaming someone else for hating the holiday. just pathetic. he also blamed biden for his presidency\xe2\x80\x99s failure with coronavirus. have we had enough of this \xf0\x9f\xa4\xa1 votehimout,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1388,10/19/2020,here we go joebiden bidenharris2020landslide biden2020 votebluetoendthisnightmare votebluetosaveamerica voteblue,United States of America,California,CA,Joe Biden,2,0\r\n1389,10/19/2020,here's a lil throwback. just found this in a stack of my dad's stuff. kinda funny due to timing.joebiden glad you came out the otherside. joebiden joewillleadus biden2020,United States of America,Michigan,MI,Joe Biden,1,0.3\r\n1390,10/19/2020,hey guys check out this piece i wrote about voting for candidates who may not inspire you.  election2020 civilrights joebiden,United States of America,California,CA,Joe Biden,2,0\r\n1391,10/19/2020,hey icymi   joebiden joebiden billmaher  stephenathome,United States of America,California,CA,Joe Biden,1,0.2\r\n1392,10/19/2020,hilton dem leadership will eliminate opportunities in black communities  via youtube blacksfortrump latinosfortrump biden. harris jobs poverty covid19 trumprecovery censorship reopenamerica bidencrimefamiily china realdonaldtrump maga,United States of America,California,CA,Joe Biden,0,-0.4\r\n1393,10/19/2020,homestretch voteearly joebiden countryoverparty,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n1394,10/19/2020,honestly i didn't really want to phone bank today. tons of schoolwork to do a heavy heart on many things...but if dad was here i believe he'd be doing everything he could to elect joebiden. you rest easy da. i got this. courageovercynicism hopeoverfear,United States of America,Iowa,IA,Joe Biden,1,0.1\r\n1395,10/19/2020,hosting rallies might be a good way to boost voters but it also boosts the virus. scharschool\xe2\x80\x99s epidemiologist saskiapopescu op-eds washpost about trump\xe2\x80\x99s campaign around covid. biden\xe2\x80\x99s campaign could not have taken a more different approach.,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1396,10/19/2020,how come the fbi sat on the  biden emails since april 29th it took the new york post and giuliani to finally get the word out but not the mainstream. bother you bothers us. the mainstream media must be held accou table for once &gt;  biden,United States of America,California,CA,Joe Biden,0,-0.5\r\n1397,10/19/2020,i am not a republican nor do i need convincing in terms of votebidenharris  but for those who are or for those who are somehow still on the fence here\xe2\x80\x99s a solid sum up of joebiden and why he\xe2\x80\x99s eons better than mr cheeto,United States of America,California,CA,Joe Biden,1,0.1\r\n1398,10/19/2020,i just voted today  joebiden,United States of America,Utah,UT,Joe Biden,1,0.3\r\n1399,10/19/2020,i spent so many hours and evenings at this exact cookout in durhamnc. can\xe2\x80\x99t believe our future president went there too my milkshake was chocolate fudge with bananas and peanut butter. biden imwithjoe bidenharris,United States of America,New York,NY,Joe Biden,2,0\r\n1400,10/19/2020,i was able to vote early in person today as a birthday present to myself. lmarett joebiden iwillvote tnvoting bradshaw2020,United States of America,Tennessee,TN,Joe Biden,1,0.6\r\n1401,10/19/2020,icecube is one dumb guy that is gonna compare joebiden to hilter.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1402,10/19/2020,if biden wins election2020 it will be because of deceitfulmedia and censoringbigtech. they're working overtime for what will assuredly become the harrisadministration electioneeringcoup,United States of America,Colorado,CO,Joe Biden,1,0.1\r\n1403,10/19/2020,if biden wins this election it will be the easiest election ever handed to a candidate. if trump wins it will hands down be the most difficult election ever earned can\xe2\x80\x99t convince me otherwise,United States of America,Iowa,IA,Joe Biden,0,-0.2\r\n1404,10/19/2020,if joe biden becomes president then 50 cent is gonna become 29 cent due to the 62% tax rate under biden\xe2\x80\x99s tax plan \xf0\x9f\x98\x82 50cent realdonaldtrump joebiden trump trump2020 biden biden2020,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1405,10/19/2020,if you think we need to be legislated for good health get ready to have many medical procedures forced on you.  government can make it available and give advice but not force  tell joebiden no no mandatedhealthcare,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n1406,10/19/2020,ignatiuspost how does joebiden afford this house working as an elected official for 50 years  and it\xe2\x80\x99s just one of many.  bidenfamilycorruption bidencrimesyndicate,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1407,10/19/2020,indian_bronson this is the left. democrats biden wakeupamerica,United States of America,California,CA,Joe Biden,2,0\r\n1408,10/19/2020,is joebiden a creep,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n1409,10/19/2020,it's odd that the impeachedforever president mocks joebiden about masks and his group has only had 2 outbreaks and the impeachedforever president has had over 25. yeah that's you realdonaldtrump ridenwithbiden2020 bidenharris2020 strolltothepolls,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1410,10/19/2020,it\xe2\x80\x99s october 19th and it has been over 12 years of barackobama biden theft from the $fnma $fmcc shareholder and retirees through the corrupt and illegal fanniegate conservatorship,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1411,10/19/2020,ivankatrump jasonmillerindc 220000 americans are dead because of his lies &amp; negligence...and he dances...and then one of his disgusting family members says \xe2\x80\x9clove it\xe2\x80\x9d vote these horrible people outbidenharris2020landslide bidenharris2020 biden votebidenharris votebidenharris2020 trumpisnotamerica,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1412,10/19/2020,i\xe2\x80\x99m going to wear my new shirt every day from now until the election \xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 bidenharris2020 ridenwithbiden2020 joebiden joebiden kamalaharris,United States of America,Florida,FL,Joe Biden,1,0.4\r\n1413,10/19/2020,jimcarey doing biden on snl is spot on love it...very funny and accurate in so many ways. it\xe2\x80\x99s nice to see snl lampoon both candidates for once. keep it going nbc,United States of America,New York,NY,Joe Biden,1,0.8\r\n1414,10/19/2020,joebiden brave americans are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1415,10/19/2020,joebiden crimesyndicate,United States of America,Maryland,MD,Joe Biden,1,0.3\r\n1416,10/19/2020,joebiden is not denying hunterbidenlaptop,United States of America,Minnesota,MN,Joe Biden,0,-0.3\r\n1417,10/19/2020,joebiden joebiden isn't denying hunterbidenlaptop,United States of America,Minnesota,MN,Joe Biden,0,-0.3\r\n1418,10/19/2020,joebiden just went into hiding until thursday. obviously an attempt to avoid questions about his lies over hunterbidenlaptop and business dealings. also prevents americans from seeing more of his mental decline.,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1419,10/19/2020,joebiden looks like trump is actively campaigning to elect joe biden biden gotv genz millennials republicansforbiden bidenharris2020,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1420,10/19/2020,joebiden love family voteearly,United States of America,North Carolina,NC,Joe Biden,1,0.9\r\n1421,10/19/2020,joebiden only uses black people for the black vote. he don\xe2\x80\x99t gaf bout us lmao,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n1422,10/19/2020,joebiden please talk about those emails from you son and you connection with them information 2020election joebiden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n1423,10/19/2020,joebiden the biden crime family is about to fall thank god.,United States of America,Nevada,NV,Joe Biden,0,-0.1\r\n1424,10/19/2020,joebidenkamalaharris2020 joebiden vote votehimout votelikeyourlifedependsonit bidenharris,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n1425,10/19/2020,jon voight says donald trump \xe2\x80\x98must win\xe2\x80\x99 the election and defeat \xe2\x80\x98evil\xe2\x80\x99 biden. what do you think,United States of America,California,CA,Joe Biden,0,-0.2\r\n1426,10/19/2020,journalists mock trump at church and ask biden what flavor of milkshake he got.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n1427,10/19/2020,just saw a biden ad which said he will make fossil fuel comps pay for hiding damage of oil/gas on environment/clim chg,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1428,10/19/2020,just watch this what amazing humanity mask twitter and all. go joebiden,United States of America,California,CA,Joe Biden,1,0.7\r\n1429,10/19/2020,kaitlancollins telling people what \xe2\x80\x9cthey want to hear\xe2\x80\x9d is not leadership \xe2\x80\x94 especially when u r blowing smile up their asses.   41 states report increase in covid19 hospitalizations.   trump2020 is for suckers.  biden2020 fucktrump chiefs bills kcvsbuf iowa florida biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.7\r\n1430,10/19/2020,kamala harris sounds desperate campaigning in orlando.  joebiden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1431,10/19/2020,kamalaharris hillaryclinton how is kamalaharris doing &amp; other biden staff w the 2015 virus in basement too for whom hillaryclinton plans to wreck another election.,United States of America,Massachusetts,MA,Joe Biden,0,-0.7\r\n1432,10/19/2020,karenleecoyle20 abc trump doesn\xe2\x80\x99t care about you.   and he lies a lot.   biden jobs ohio.,United States of America,Massachusetts,MA,Joe Biden,0,-0.5\r\n1433,10/19/2020,katherineoma even if he why bother reading it trump has f all to say to biden about how to run this country seeing the shambles he has created.,United States of America,California,CA,Joe Biden,0,-0.9\r\n1434,10/19/2020,kayleighmcenany kevinwebb22 joebiden we actually deserve better than both. but because these are my choices. i gave mine to biden. voted4biden.,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1435,10/19/2020,kellyannepolls wsj guess what you do not have the authority to ask. biden,United States of America,Wisconsin,WI,Joe Biden,0,-0.2\r\n1436,10/19/2020,kumailn fivethirtyeight i can\xe2\x80\x99t wait to not read the news obsessively. biden harris,United States of America,New York,NY,Joe Biden,1,0.3\r\n1437,10/19/2020,landgigi abc trump 1  in lies &amp; corruption.   americafirst in covid deaths biden ohiostate ohio,United States of America,Massachusetts,MA,Joe Biden,0,-0.5\r\n1438,10/19/2020,ledfut40 abc trump doesn\xe2\x80\x99t care about you.    biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n1439,10/19/2020,leftistceo proudsocialist i'm a black man who lives in rural pennslyvania originally from maryland. i'm voting green party. i'm not voting for joebiden. his words aren't worth the wind they're carried on...,United States of America,Maryland,MD,Joe Biden,0,-0.4\r\n1440,10/19/2020,let\xe2\x80\x99s goooooooo dunkies biden teamsport,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n1441,10/19/2020,let\xe2\x80\x99s win big  joebiden,United States of America,Minnesota,MN,Joe Biden,1,0.2\r\n1442,10/19/2020,listen i\xe2\x80\x99m not a therapist but i am willing to bet trumpfailed trump is completely losing it all he can stand there &amp; do is make fun of joewillleadus biden and fauci and rant &amp; rave \xe2\x80\x9clock them up\xe2\x80\x9d along with his imbecile supporters votebidenharris vote,United States of America,California,CA,Joe Biden,0,-0.8\r\n1443,10/19/2020,love how 700wlw is bending over backwards to defend joebiden after spending 3 years reporting russiahoax as fact freaking gross,United States of America,Ohio,OH,Joe Biden,2,0\r\n1444,10/19/2020,love the personal story. i think when joebiden wins there\xe2\x80\x99s going to be a party from november through inauguration vote,United States of America,North Carolina,NC,Joe Biden,1,0.5\r\n1445,10/19/2020,maddow are you going to report this fakenewsmediaclowns joebiden journalismisdead msnbc,United States of America,California,CA,Joe Biden,0,-0.6\r\n1446,10/19/2020,magic johnson endorses biden for president - \xe2\x81\xa6thestatenewstv\xe2\x81\xa9 \xe2\x81\xa6magicjohnson\xe2\x81\xa9 \xe2\x81\xa6joebiden\xe2\x81\xa9 \xe2\x81\xa6kamalaharris\xe2\x81\xa9 michigan michiganstate magicjohnson biden bidenharris2020 voteblue,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n1447,10/19/2020,man trump beat hrc in 2016 and people are voting like their lives depend on it in 2020 with biden on the ticket. how is it that this race is this close jesus christ. the virus has killed almost 250k people in less than 9 months. hospitalizations are up in 40+ states,United States of America,Indiana,IN,Joe Biden,0,-0.2\r\n1448,10/19/2020,manofthemoment biden,United States of America,Arizona,AZ,Joe Biden,1,0.3\r\n1449,10/19/2020,marshablackburn time for congressional oversight with bigtech &amp; msm disappearing biden emails story &amp; fbi stonewalling we have to know if biden is susceptible to blackmail from us\xe2\x80\x99s now-biggest geopolitical military &amp; political adversary china ..which wants to take us &amp; its allies down.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1450,10/19/2020,mehdirhasan love dr. anthony fauci. he's my coronavirus crush. sorry gov. cuomo but i've moved on. seriously he is brilliant. trump hates anyone that people respect more than him. we are so fortunate to have him. trump is a narcissistic jerk. joebiden joebiden2020,United States of America,Virginia,VA,Joe Biden,2,0\r\n1451,10/19/2020,melissaafrancis noop not gonna happen. biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1452,10/19/2020,mkraju no one is perfect. not even biden  but couldn\xe2\x80\x99t trump come up with something even vaguely credible  trump is the criminal  biden is ... well mr rogers.,United States of America,California,CA,Joe Biden,0,-0.2\r\n1453,10/19/2020,mondaymotivation votehimout trumpcrimefamily 4moreyears acb trump biden votethemallout,United States of America,California,CA,Joe Biden,2,0\r\n1454,10/19/2020,money joebiden,United States of America,California,CA,Joe Biden,2,0\r\n1455,10/19/2020,morningbrew no social media is the new political lawn sign.  but now i can have a bigger sign and more of them and brighter.  sarcasm. you posting biden or trump in a bigger font more often doesn\xe2\x80\x99t help the discussion.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n1456,10/19/2020,mrbcyber time for congressional oversight with bigtech &amp; msm disappearing biden emails story &amp; fbi stonewalling we have to know if biden is susceptible to blackmail from us\xe2\x80\x99s now-biggest geopolitical military &amp; political adversary china ..which wants to take us &amp; its allies down.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1457,10/19/2020,my home county - warren county ohio mason ohio - currently leads oh in mail-in ballots returned by a very large margin 75%. this is prime territory for a biden flip - growing asian population upper-middle class college-educated voters and lots of suburban women,United States of America,New York,NY,Joe Biden,2,0\r\n1458,10/19/2020,my kid\xe2\x80\x99s got the hope. joebiden bidenharris2020,United States of America,Oklahoma,OK,Joe Biden,1,0.3\r\n1459,10/19/2020,nasa nasa_johnson noaafish_nefsc noaafish_garfo fdarecalls noaaocean nasakennedy biden,United States of America,Massachusetts,MA,Joe Biden,1,0.4\r\n1460,10/19/2020,nbcphiladelphia why doesn\xe2\x80\x99t anybody looking into joebiden sexual assaults metoo - tara reade,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n1461,10/19/2020,newsweek main problem with bigtech &amp; msm disappearing biden emails story &amp; fbi stonewalling we have to know if biden is susceptible to blackmail from us\xe2\x80\x99s now-biggest geopolitical military &amp; anti-democracy adversary china ..which wants to take us &amp; its allies &amp; its values down.,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1462,10/19/2020,nhmtnbkr1 gravelbumpyroad bettemidler no she's been interviewed several times in the media and she's voting for biden.,United States of America,Massachusetts,MA,Joe Biden,0,-0.6\r\n1463,10/19/2020,no more moderators | ep. 630  via youtube savannahguthrie biden harris nbc cnn msmbought covid19 notscience socialdistancing qanon2020 realdonaldtrump business hugs smiles masks judgejeanninepiro bidencoalition 1776commission maga2020,United States of America,California,CA,Joe Biden,2,0\r\n1464,10/19/2020,north carolina dems what are u waiting for message 10+ democrat friends now and remind them to vote let\xe2\x80\x99s not have a 2020 nightmare biden raleigh university moms women progress jobs healthcare unions vote,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1465,10/19/2020,not sure if russia started this trend or what but i do wanna say  that good people do not support racism sexism and discrimination to our military. get trump out because trump has been in charge for 4 years and made america worse. trump2020tosaveamerica biden trump,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n1466,10/19/2020,oh waht you say there will soon be twoofthreeobamaadminstrationcrooks coming to baltimore so to aggressively frame the oldbaltimoreblckpoliticallocalcommunity in more raising the odds in obamastilldeamonratsuckupfillupasmalllocalcrowd from lack of all joebiden emptyareas2,United States of America,Ohio,OH,Joe Biden,0,-0.5\r\n1467,10/19/2020,orangecounty \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 look close. biden signs in the background \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 realdonaldtrump,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n1468,10/19/2020,our 3 fish 1 cat and 20 snails would also vote for biden if they could because bidencares about all the critters of the world. bidenharris2020landslide,United States of America,Arizona,AZ,Joe Biden,1,0.2\r\n1469,10/19/2020,parents made you smoke a whole pack of cigs to make you not try to smoke again. that\xe2\x80\x99s what trump and biden are doing so you don\xe2\x80\x99t vote.,United States of America,Oregon,OR,Joe Biden,0,-0.4\r\n1470,10/19/2020,people please take a moment and vote with your conscience. we the people cannot have another four years of nasty smear campaigns corruption lies and misinformation. people are literally dying daily because of the inaction of this administration votebidenharris2020 biden,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n1471,10/19/2020,petebuttigieg q1q2r1r2 anyone of voting age please vote. do not regret not voting in the one of the most important times in american history. vote  i care about equality &amp; the environment so i\xe2\x80\x99m  voting joebiden &amp; votebluetoendthisnightmare,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n1472,10/19/2020,peterhere3 did trump denounce whitesupremacy when given the chance no yet you like a pic of biden in 2008 as if that explains everything lol\xf0\x9f\x98\x82. at least joebiden stated his position &amp; was quick to denounce any flawed position he had. did realdonaldtrump do the same so...,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1473,10/19/2020,president donaldtrump and democratic challenger joebiden were looking to persuade early voters on sunday in nevada and north carolina with the final presidential debate later this week.,United States of America,New York,NY,Joe Biden,2,0\r\n1474,10/19/2020,president trump and his enablers the gop have profoundly befouled the highest office of our great country. joebiden and all who come after may not be perfect but history will neverforget what trump and the gop have done to our beautiful country. \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1475,10/19/2020,quin4trump realtrumpsquad downtownfairy ernestleenot mememercenary pilroberts raging_red adagioforstring oxmanmartin zarnie50 asteaux knowurenemy3 davidf4444 shellyt561 darrinmm larryputt mrsdbltme ineedsunshine11 una_alta_volta ralphs24381648 thedude77 ihategrackles icanplainlysee tnolwene koolbreeze3232 mrjmerde1 451reh patvpeters kiwiwang5 keecowang5 isabell55943101 bettyanncanizio stillfreescotty kcinor marilynlavala laughtrackitst1 keithmi83510019 ivanper21013465 stonekeeper3 lotty_dotty1 isafeyet logicallyspkn im4him4ever tmisforme iamisjp timetoact2 chefjamesleach quindel1plex __cassidyrae__ msunitedamerica o m g that\xe2\x80\x99s sooooooooo biden,United States of America,Washington,WA,Joe Biden,1,0.7\r\n1476,10/19/2020,raidershlp don't ask the american people for 4 years; when your track record shows you've done nothing in 47. biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n1477,10/19/2020,rattmathkamp mother jones is not a valid news source.  where are your tweets on the disgusting hunterbiden hard drive.. and the proof joebiden is a liar,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1478,10/19/2020,realdonaldtrump america is worse off now under trump than we were four years ago. biden vote,United States of America,Minnesota,MN,Joe Biden,0,-0.2\r\n1479,10/19/2020,realdonaldtrump breitbartnews joebiden son whereshunter is on tape molesting children in china while earning his father huge paydays . lockthemallup votered2020 votetrumppence2020,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n1480,10/19/2020,realdonaldtrump dr fauci is arguably the most popular &amp; trustworthy person in public life - not just in the unitedstates but worldwide. trump\xe2\x80\x99s chances in beating joebiden are slim. beating dr fauci is impossible. who one must ask is running the president\xe2\x80\x99s campaign,United States of America,California,CA,Joe Biden,2,0\r\n1481,10/19/2020,realdonaldtrump jasonmillerindc billstepien absolutely sharondouchett1 purplepower yesterday 296k today 297k our numbers are growing  mr president yours are not do the math executiveorder tonight biden is winning he can sweep home with our votes msc &amp; fpuc \xf0\x9f\x92\x9c\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1482,10/19/2020,realdonaldtrump jasonmillerindc billstepien stevenmnuchin1 markmeadows re-purpose now then after elections the bill can be pass see mr president your being difficult we been patient we had enough guess biden will do purplepower pny lalate it\xe2\x80\x99s an easy dunk,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1483,10/19/2020,realdonaldtrump just said that if joebiden is elected biden will listen to scientists.  sounds like trump is campaigning for biden.,United States of America,California,CA,Joe Biden,0,-0.3\r\n1484,10/19/2020,realdonaldtrump should have taken your own sat\xe2\x80\x99s ...bad math skills. votehimout biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n1485,10/19/2020,realdonaldtrump talking about yourself again. \xe2\x80\x9cyou spot it you got it\xe2\x80\x9d ya can\xe2\x80\x99t see what ya don\xe2\x80\x99t know personally. thanks for confirming your status you super spreader \xf0\x9f\x98\x89 biden,United States of America,California,CA,Joe Biden,1,0.1\r\n1486,10/19/2020,realdonaldtrump trumpisanationaldisgrace america vote biden,United States of America,California,CA,Joe Biden,1,0.2\r\n1487,10/19/2020,realdonaldtrump you are the grossest man ever. you really embody the saying money can\xe2\x80\x99t buy class. i\xe2\x80\x99m happy to let you that i voted for joebiden today in florida. can\xe2\x80\x99t wait to kick you out of the white house.,United States of America,Florida,FL,Joe Biden,1,0.2\r\n1488,10/19/2020,realrlimbaugh biden puts china first his corrupt family second and america last. trump2020 maga,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1489,10/19/2020,reddogt3 $grwg imo a bet on biden harris legalizing cannabis across the usa. best retail play in the group,United States of America,New York,NY,Joe Biden,1,0.4\r\n1490,10/19/2020,republicans are now agreeing that joebiden will do a better job managing covid guess they're losing.,United States of America,Arizona,AZ,Joe Biden,0,-0.7\r\n1491,10/19/2020,revwadegriffith yes thank you \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbb\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbb\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbb my family is from anniston and we are also voting for joebiden,United States of America,Missouri,MO,Joe Biden,1,0.9\r\n1492,10/19/2020,rickwtyler in principal i agree with you rick but if only biden didn\xe2\x80\x99t choose a a leftist who will inherit his chair 2 years into his term...,United States of America,Minnesota,MN,Joe Biden,0,-0.5\r\n1493,10/19/2020,rollingstone let's gooooo joebiden  joewillleadus,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n1494,10/19/2020,sailing the seas depends on the great helmsman joebiden waging revolution depends on biden thought serve the people whole heartedly vote bidenharris2020 the general line of the dnc is the lighthouse that shines on all our work,United States of America,California,CA,Joe Biden,1,0.1\r\n1495,10/19/2020,senatorromney mittromney main problem with bigtech &amp; msm disappearing biden emails story &amp; fbi stonewalling we have to know if biden is susceptible to blackmail from us\xe2\x80\x99s now-biggest geopolitical military &amp; anti-democracy adversary china ..which wants to take us &amp; its allies &amp; its values down.,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1496,10/19/2020,sensasse i can not believe what you said about trump. he is by far the most righttolife president ever. so i guess you\xe2\x80\x99re for the repeal of hyde. u r the lowest kind of scumbag fake evangelical. when u support biden u support infanticide. i pray you go to hell for your lies.,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n1497,10/19/2020,sentomcotton time for congressional oversight with bigtech &amp; msm disappearing biden emails story &amp; fbi stonewalling we have to know if biden is susceptible to blackmail from us\xe2\x80\x99s now-biggest geopolitical military &amp; political adversary china ..which wants to take us &amp; its allies down.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1498,10/19/2020,silvanacorsetti sodagrrl it is what it is biden,United States of America,California,CA,Joe Biden,1,0.1\r\n1499,10/19/2020,sir this as so unhumanlyplastic joebiden realdeamonratpoliticalcircus is so tortisepoweredinsupposedcampagianing joebiden teamof even slower slugs are forced to be carrying their own personal vacuum sweepers to stay up with everconstantlyresmootherincobwebsreoccuring2,United States of America,Ohio,OH,Joe Biden,0,-0.7\r\n1500,10/19/2020,so many biden signs in long beach even in the wealthy neighborhoods.,United States of America,California,CA,Joe Biden,2,0\r\n1501,10/19/2020,so which boilermakers endorsed biden maybe the ones at purdue because the local 154 boilermakers union says they haven\xe2\x80\x99t endorsed him the guy just can\xe2\x80\x99t tell the truth can he,United States of America,Iowa,IA,Joe Biden,0,-0.7\r\n1502,10/19/2020,so why is this ok joebiden donaldtrump blacktwitter  blm,United States of America,Georgia,GA,Joe Biden,0,-0.3\r\n1503,10/19/2020,socialism is here |pcradio live biden trump socialism censorship,United States of America,Minnesota,MN,Joe Biden,0,-0.8\r\n1504,10/19/2020,someone stole our joebiden kamalaharris yard sign. but in this household we don\xe2\x80\x99t get mad. we smile and get less subtle. bidenharris2020 vote biden nhpolitics,United States of America,New Hampshire,NH,Joe Biden,2,0\r\n1505,10/19/2020,sources verified joebiden in line for chinese payout,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1506,10/19/2020,speaking of joebiden walks off when questioned about fbi seizing son's laptop - still refusing to discuss an allegation that his son hunterbiden leveraged his ties to the obama administration in ukraine.  more headlines,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1507,10/19/2020,stanford study  biden agenda will have devastating economic consequences.  realdonaldtrump erictrump donaldjtrumpjr,United States of America,Louisiana,LA,Joe Biden,0,-0.2\r\n1508,10/19/2020,steve bannon biden is a national security threat  burismabiden hunterbidenlaptop hunterbidenemails,United States of America,Pennsylvania,PA,Joe Biden,0,-0.6\r\n1509,10/19/2020,stood in a 45 minute line in the rain to vote for joebiden. one of the proudest votes i ever cast.,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n1510,10/19/2020,supple89 pastordscott i am not a joebiden enthusiast but it would have been great if donaldtrump can win by merit and inspiration.  is that to much to ask  like say obama bush or clinton,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1511,10/19/2020,sus selfreporting amongus 47yearsingovernment biden trump joebiden realdonaldtrump,United States of America,Texas,TX,Joe Biden,2,0\r\n1512,10/19/2020,tax plan from biden - new york &amp; california could face combined federal and state tax rates of 62% under democratic presidential nominee joe biden\xe2\x80\x99s tax plan according to experts,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1513,10/19/2020,thanks grandpa jim. bidenharris2020 biden bidenharris2020landslide,United States of America,California,CA,Joe Biden,1,0.5\r\n1514,10/19/2020,the 2020 election is a few short weeks out. curious to see what might happen to the aca if biden is elected find out here   aca biden 2020election medicaid,United States of America,California,CA,Joe Biden,2,0\r\n1515,10/19/2020,the 2020 election is a few short weeks out. curious to see what might happen to the aca if biden is elected find out here  aca biden 2020election medicaid,United States of America,California,CA,Joe Biden,2,0\r\n1516,10/19/2020,the absolute hostility that is being spewed out on social media right now bc of who is in the white house is dangerous but important to acknowledge. this isn\xe2\x80\x99t going to go away if biden wins and it\xe2\x80\x99s only going to get worse if trump wins. this country is at a breaking point,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n1517,10/19/2020,the blind pig | joe biden for president 2020  joebiden dumptrump2020 bluewave2020,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1518,10/19/2020,the death of sarablackwood in part spurred former vice president joebiden to speak on the unacceptable epidemic of violence facing transgender &amp; gendernonconforming people.,United States of America,Tennessee,TN,Joe Biden,0,-0.8\r\n1519,10/19/2020,the election question nobody is asking who do you want on the \xe2\x80\x9cred phone\xe2\x80\x9d if this country is under attack  realdonaldtrump or joebiden gstephanopoulos trump biden,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1520,10/19/2020,the greatest generation  joebiden donaldtrump realdonaldtrump kayleighmcenany donaldjtrumpjr erictrump ivankatrump hillaryclinton chuckschumer speakerpelosi usa,United States of America,New York,NY,Joe Biden,1,0.8\r\n1521,10/19/2020,the presidential candidates are uninspiring to say the least. i live in georgia and decided to not support either nomination.  does that make me a racist because i am not support trump2020 or joebiden,United States of America,Georgia,GA,Joe Biden,0,-0.6\r\n1522,10/19/2020,the problem is democrat voters today are too young to remember biden history. spoiled little racist supporters &amp; they can't even look in the mirror. thats why so many walkaway &amp; vote trump,United States of America,California,CA,Joe Biden,0,-0.7\r\n1523,10/19/2020,the sliver of hope that joebiden and kamalaharris will win in 15 days.  please vote.  be safe.  be sane. bidenharris2020 biden,United States of America,California,CA,Joe Biden,2,0\r\n1524,10/19/2020,the wallstreetjournal is owned by rupert murdoch and the fact that trump is bragging about planting dirt on biden in the newspaper destroys any credibility that the story might have had.  politics,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1525,10/19/2020,the way i see it has made me ugly cry\xf0\x9f\x98\xad\xf0\x9f\x98\xad\xf0\x9f\x98\xad\xf0\x9f\x98\xad twice now... i miss what our country was  joebiden can bring this back vote like your life depends on it,United States of America,Arizona,AZ,Joe Biden,0,-0.7\r\n1526,10/19/2020,the wolfman joe show day 16 trumptower trumprally trump biden bidenisacrook hunterbiden abortion euthanasia us,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1527,10/19/2020,thehill joebiden vp44 work'd with foreigners on dark streets. send jobs oversea open the country to foreigners then say  i'm sorry we can't help the poor in the hood and middle class and dems says ok \xf0\x9f\x98\x86\xf0\x9f\x98\x86\xf0\x9f\x98\x86\xf0\x9f\x98\x86\xf0\x9f\x98\x86\xf0\x9f\x98\x86\xf0\x9f\x98\x86 formation,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1528,10/19/2020,thehill the blue wave is coming votebluedownballot voteblue votebluetoendthisnightmare voteblue biden bidenharris2020,United States of America,California,CA,Joe Biden,2,0\r\n1529,10/19/2020,there is some obscene child porn on hunterbiden's laptop.  daddy is about to have a pretty terrible week. in any sane period of time joebiden would be forced to withdraw from the race.,United States of America,California,CA,Joe Biden,0,-0.7\r\n1530,10/19/2020,therickwilson joebiden and his new administration needs to do more than change passwords when they move into the wh. this whole trumpcrimefamily has seen top secret info. how to protect this information,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1531,10/19/2020,these emails are either real of fake if fake someone goes to jail if real they speak volumes they are from a gmail acct if fake google would say so hunterbidenemails hunterbidenlaptop hunterbiden bidencrimefamily biden,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1532,10/19/2020,these juvenile attempts by the trump cabal to work the refs in advance of the debate are tiresome. easier said than done kwelkernbc but don't let it get under your skin. ask the rough questions even of my guy. i know biden can handle it like a mature adult.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1533,10/19/2020,this i am a business owner. our revenue has disappeared due to covid. didn\xe2\x80\x99t receive ppp or eidl due to poor process. the lack of leadership leaves so many of us wondering when we can start back up... not looking for a handout just a plan covid19 potus biden vote,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1534,10/19/2020,this is a great representation of trumps entire presidency. empty promises rhetoric and disregard for human life.  he does not care about anyone but making himself look good.  he has conned all of his supporters from the start. joebiden trumpdevastation,United States of America,California,CA,Joe Biden,2,0\r\n1535,10/19/2020,this is a rough sketch of a political horror comedy i\xe2\x80\x99m working on.  sometimes i think i\xe2\x80\x99m having way too much fun with this \xf0\x9f\xa4\x94\xf0\x9f\x98\xac\xf0\x9f\x98\x81 vote\xc2\xa0\xc2\xa0 voteready\xc2\xa0\xc2\xa0 vote2020\xc2\xa0\xc2\xa0realdonaldtrump speakerpelosi joebiden debates2020\xc2\xa0 joebiden makeamericagreatagain,United States of America,California,CA,Joe Biden,2,0\r\n1536,10/19/2020,this is why i\xe2\x80\x99m voting joe joewillleadus biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1537,10/19/2020,this made me tear up. so proud of my party\xe2\x80\x99s nominee. joebiden,United States of America,Texas,TX,Joe Biden,1,0.2\r\n1538,10/19/2020,titulares de lunes 19 de octubre de 2020 en noticias 23 alamanecer por .univision23 con eileencardet jhernandezu23 karencintrontv y javierserrano miami cuba venezuela colombia elecciones2020  votaconmigo joebiden donaldtrump earlyvoting southflorida oct19,United States of America,Florida,FL,Joe Biden,1,0.2\r\n1539,10/19/2020,tmz so when biden is elected in 2020 she can be the average citizen again now that her tv series is canceled kanye will get his meds adjusted and hopefully she gets more time with her children.,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1540,10/19/2020,tonight i voted for joebiden and i'm really disgusted about it.  it goes against every progressive bone in my body and i didn't want to do it.  i wanted sensanders.  i want medicareforall greennewdeal and cancelstudentdebt.  don't screw this up joebiden.  progressive,United States of America,Washington,WA,Joe Biden,0,-0.3\r\n1541,10/19/2020,too real \xf0\x9f\x98\x82 biden trump chipotle americafirst,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1542,10/19/2020,trump and biden urge supporters to voteearly as this week\xe2\x80\x99s final debate showdown awaits,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1543,10/19/2020,trump calling joebiden\xe2\x80\x99s family a criminal enterprise is a fucking joke he and his family are the criminal grifters...trumpcrimefamily trumpcrimesyndicate trumpcrimesagainsthumanity trumpthegrifter,United States of America,North Carolina,NC,Joe Biden,0,-0.9\r\n1544,10/19/2020,trump falsely claims joe biden will cancel christmas if he wins in november ...,United States of America,Tennessee,TN,Joe Biden,0,-0.7\r\n1545,10/19/2020,trump on if biden wins 'maybe i'll have to leave the country' thehill,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1546,10/19/2020,trump trump2020 biden follow flag patriot redpill conservative republican maga 2a veteran 1a military prayfortrump votetrump votered  via newsclapper,United States of America,Illinois,IL,Joe Biden,2,0\r\n1547,10/19/2020,trump wants to be on mount rushmore \xf0\x9f\x98\x82 trumpisalaughingstock whitehouseprguy trump vote  biden,United States of America,California,CA,Joe Biden,0,-0.3\r\n1548,10/19/2020,trump's and biden's plans for education - the contrast could not be more stark. bidenharris2020,United States of America,Massachusetts,MA,Joe Biden,1,0.4\r\n1549,10/19/2020,trump's poor management of covid19 hurts our athletes our students our youth and well just about everyone. vote joebiden to bring back our dreams. bidencoalition bidenharris2020,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1550,10/19/2020,trump2020 trump stealing trump biden - cartoon voice directed at trump sign stealer is hilarious,United States of America,Illinois,IL,Joe Biden,1,0.5\r\n1551,10/19/2020,trump2020tosaveamerica - trending makes absolutely no sense whatsoever unless you are a total idiot who enjoys eating\xf0\x9f\x92\xa9  i\xe2\x80\x99ve voted for biden but you do you,United States of America,Michigan,MI,Joe Biden,0,-0.8\r\n1552,10/19/2020,trumpcrimefamily trumpisnotamerica trumpisnotwell biden bidenharristosaveamerica,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1553,10/19/2020,trumpwarroom joebiden son whereshunter is on tape molesting children while earning his dad huge paydays yet our media is up in arms about qanon lockthemallup votered2020,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n1554,10/19/2020,two weeks from the election and the biden campaign goes dark until thursday  hmmm.    jayweber3 bidenemails,United States of America,Wisconsin,WI,Joe Biden,2,0\r\n1555,10/19/2020,usa trumpbidenvote freedom america,United States of America,California,CA,Joe Biden,2,0\r\n1556,10/19/2020,vote joebiden for president 2020  via youtube,United States of America,Tennessee,TN,Joe Biden,2,0\r\n1557,10/19/2020,votebidenharris biden trump2020tosaveamerica the real racist,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n1558,10/19/2020,votebluetoendthisnightmare voteblue biden bidenharris2020 genzforbiden newprofilepic,United States of America,California,CA,Joe Biden,1,0.4\r\n1559,10/19/2020,voted biden,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n1560,10/19/2020,waited in line 2 hours to vote. such a great turn out would have waited days. grabhimbytheballot joebiden kamalaharris votebiden democracy evanston earlyvote,United States of America,Illinois,IL,Joe Biden,2,0\r\n1561,10/19/2020,wanderlustgalli after an eight year nightmare for the american people caused by the biden barackobama destruction of american housing banking healthcare and most significantly the robbery of fanniemae $fnma &amp; freddiemac $fmcc...you should agree with your smart friend. vote realdonaldtrump,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1562,10/19/2020,warroompandemic usccb heretic biden wants to give free college to dummies that \xe2\x80\x9cgraduate\xe2\x80\x9d high school barely able to read&amp;write. racist biden wants to eliminate schoolchoice to make sure poor blacks&amp;minorities can\xe2\x80\x99t get a good education when it counts pre&amp;grammar school,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n1563,10/19/2020,wash your hands take out the trash vote biden out trump 2020 joebiden,United States of America,Alabama,AL,Joe Biden,0,-0.6\r\n1564,10/19/2020,washingtonpost brave americans are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1565,10/19/2020,washtimes meanwhile in america democrats are still holding the economy hostage in an attempt to install a brain dead racist pedo in to the white house. joebiden,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1566,10/19/2020,watch wolfmanjoe2_0's broadcast the wolfman joe show day 16 trumptower trumprally trump biden bidenisacrook hunterbiden abortion euthanasia us,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n1567,10/19/2020,watching thewayiseeit and i\xe2\x80\x99m in tears. we need a president with empathy and a president who genuinely cares again. we need joebiden. vote,United States of America,Kansas,KS,Joe Biden,2,0\r\n1568,10/19/2020,we can do this\xe2\x80\xbc\xef\xb8\x8fvote vote2020 notrump votebluetosaveamerica\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99 nasty nastygirlsclub nastywomenvote woman man blm blmmovement protest protest2020 strong \xf0\x9f\x92\xaa america usa   joebiden kamalaharris biden2020 save bidenharris2020landslide,United States of America,California,CA,Joe Biden,0,-0.3\r\n1569,10/19/2020,well done patrick oliver of pretty good songs for getting the ungettable get in music licensing... beastieboys \xe2\x80\x9csabotage\xe2\x80\x9d not to mention this ad is freaking amazing. theblindpig beastieboys joebiden bidenharris2020 voteblue musicmatters,United States of America,New York,NY,Joe Biden,1,0.6\r\n1570,10/19/2020,what actions would the secret service and us intelligence take if trump were taking steps to flee to a country without a extradition treaty trump cia biden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n1571,10/19/2020,what people have failed to pick up is that there was a interview done stating that the fbi is investigating joebiden son hunter biden. what area of fbi the fbi that deals w child pornography  so what else is on that laptop  vote joebiden mondaythoughts mondayvibes,United States of America,Georgia,GA,Joe Biden,0,-0.6\r\n1572,10/19/2020,what rhymes with irresponsible unfit mental midget idiot  trump trump donaldtrumpislyingtoyou  trumpcrimefamily trumplied200kdied  faucihero joewillleadus biden2020 bidenharrislandslide2020 joebiden  trumpconman,United States of America,Illinois,IL,Joe Biden,0,-0.9\r\n1573,10/19/2020,what the biden camp misses is income &amp; capitalgains are different animals. cg's are the result of risk which leads to innovation. if you tax them equivalently you are encouraging less risk. risk is what creates the margin for improvement in income.,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n1574,10/19/2020,where is hunter biden,United States of America,Tennessee,TN,Joe Biden,2,0\r\n1575,10/19/2020,why is it a goodthing for billgates to givemoney generously to the chinese &amp; a badthing for the chinese to give money to josephbidenjr aka joebiden\xf0\x9f\xa4\x94\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\xa4\xa8,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1576,10/19/2020,why is this being covered up  joebiden's son whereshunter emailed a shop owner who had his hard drive in an effort to get it back. fyi sky news is not russiandisinformation.  kag,United States of America,Nevada,NV,Joe Biden,0,-0.3\r\n1577,10/19/2020,worse. joe used his drug addicted son for 30 years as his bagman. read hunter\xe2\x80\x99s texts about that. what a monster. joebiden whereshunter,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1578,10/19/2020,wsvn biden bigguy brother robert biden influence peddling in miami,United States of America,Florida,FL,Joe Biden,2,0\r\n1579,10/19/2020,wtp wtpsenate wtpblue wtp2020 demcast demcastpa blm joebiden joebidenkamalaharris2020,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1580,10/19/2020,you know if joebiden will promise to 'put a lid' on 85% of his work schedule if elected potus that might make him more attractive to a lot of people,United States of America,North Carolina,NC,Joe Biden,0,-0.4\r\n1581,10/19/2020,yup will be dropping off my ballot this week...and on my birthday bidenharris biden2020 joebiden ridenwithbiden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1582,10/19/2020,\xe2\x80\x9cdon\xe2\x80\x99t assume the race is in the bag for biden.\xe2\x80\x9d,United States of America,California,CA,Joe Biden,0,-0.7\r\n1583,10/19/2020,\xe2\x80\x9cimagine that little girl...\xe2\x80\x9d vote november 3rd bidenharris2020 biden harrisbiden2020  votebidenharris votehimout,United States of America,California,CA,Joe Biden,2,0\r\n1584,10/19/2020,\xe2\x80\x9c\xe2\x80\x98bombshell\xe2\x80\x99 echoes false propaganda about the bidens\xe2\x80\x9d = joebiden called publicly for corrupt shokin\xe2\x80\x99s ouster bc it was us governmental policy at the time. pls use only journalistic sources not entertainment news disinformation electioninterference,United States of America,California,CA,Joe Biden,0,-0.8\r\n1585,10/19/2020,\xf0\x9f\x93\xa3 new podcast 19 that's just my reboot...face on spreaker 910comedy biden black comedy florida forest_wars funny hollyweird nc news thats_just_my_face tjmf trump vin_diesel weird wtflorida,United States of America,North Carolina,NC,Joe Biden,1,0.1\r\n1586,10/19/2020,\xf0\x9f\x93\xa3 new podcast october surprise ep. 279 on spreaker amyconeybarrett biden giuliani hunterbiden q_anon scotus townhalls trump ukraine,United States of America,California,CA,Joe Biden,1,0.2\r\n1587,10/19/2020,\xf0\x9f\x98\xab joebiden,United States of America,California,CA,Joe Biden,2,0\r\n1588,10/20/2020,president debate trump biden climatechange shale shalemag,United States of America,Texas,TX,Joe Biden,2,0\r\n1589,10/20/2020,good ol' joebiden has gone completely off the rails,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1590,10/20/2020,name,United States of America,Oregon,OR,Joe Biden,1,0.1\r\n1591,10/20/2020,- wheeler and portland police warn of election unrest on nov. 3.... money needed for riots cleanup   \xe2\x80\xa6 portland orpol portlandpolice portlandprotests portlandriots tedwheeler sarahiannarone trump biden election2020 oregon,United States of America,Oregon,OR,Joe Biden,0,-0.3\r\n1592,10/20/2020,1 x-rnc chairman michaelsteele endorses biden with two weeks left in the election ...,United States of America,Tennessee,TN,Joe Biden,0,-0.2\r\n1593,10/20/2020,10/21/2020- trump 2020 trump donaldtrump presidenttrump trump2020 biden joebiden bidenharris2020,United States of America,Tennessee,TN,Joe Biden,2,0\r\n1594,10/20/2020,14 days vote biden  to heal our country,United States of America,Alabama,AL,Joe Biden,2,0\r\n1595,10/20/2020,2 weeks out from today biden will win the popular vote by 5 million + yet still lose the electoral college because... america &amp; it is 2020,United States of America,Washington,WA,Joe Biden,0,-0.4\r\n1596,10/20/2020,50 cent endorses trump due to the biden tax plan,United States of America,Nevada,NV,Joe Biden,0,-0.2\r\n1597,10/20/2020,50cent 90srappers billbarr hunterbiden icecube joebiden octobersurprises poetry terribleterrifictuesday trumpvsblackmales  october surprises part nine,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n1598,10/20/2020,50cent joebiden tax plan proposes one that is fair and balanced and consistent with ones income or earnings. now if you earn over 400k  &amp; have not been paying your fair share under the biden plan you will. if you were earning 400k &amp; already paying your fair share you\xe2\x80\x99d pay no more,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1599,10/20/2020,50cent speaks on trump and biden \xf0\x9f\x91\x80  new orleans louisiana,United States of America,Louisiana,LA,Joe Biden,2,0\r\n1600,10/20/2020,a choice between pussy grabbing trump or biden's grabby hands all over children and my business. what is this perfection nevada vote2020 tremors graboids,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1601,10/20/2020,admirerlong jack facebook you don\xe2\x80\x99t have to prove my point; but thanks for the effort. your feed is nothing but conspiracy theories; grasping at every kernel of fact and exploding it into a massive story. you are why education and knowledge is so crucial to society. get some help it\xe2\x80\x99s out there. biden,United States of America,California,CA,Joe Biden,2,0\r\n1602,10/20/2020,all of the other retweets are tr*mp supporters so let's try to balance this out bidenharris2020 biden biden2020 bidenharrislandslide2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1603,10/20/2020,america or trump. i choose america. you  america joebiden trumpisnotamerica,United States of America,Texas,TX,Joe Biden,2,0\r\n1604,10/20/2020,americaortrump countryoverparty joebiden vote volunteer recruit,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n1605,10/20/2020,and two weeks after the inauguration we could call her madam president. speakerpelosi has laid the groundwork for removing joebiden using article25. i suppose pelosi then becomes vice president and then can remove harris. could be a fun time for us...,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1606,10/20/2020,angelabelcamino i'm voting for biden in 4 days earlyvoting in florida turnfloridablue votebiden bidenharrislandslide2020,United States of America,Florida,FL,Joe Biden,2,0\r\n1607,10/20/2020,anyone posting about trump or biden either cite your source applies to the media too or stfu.  everyone reading them should trustbutverify,United States of America,Colorado,CO,Joe Biden,2,0\r\n1608,10/20/2020,ap for the debate let\xe2\x80\x99s talk covid heathinsurance supportofsmallbusinesses personalhouseholdfinances gunreform globalrelations  racerelations &amp; domesticterrorism . trump or biden have no rights to make demands or limitations on the debate subjects. vote2020,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n1609,10/20/2020,are we all invited \xf0\x9f\xa5\xb3\xf0\x9f\xa4\xa9\xe2\x98\xba\xef\xb8\x8f\xf0\x9f\x99\x8f\xf0\x9f\x8f\xbb\xf0\x9f\xa5\xb0\xf0\x9f\x8d\xa6 icecreamparty biden joebiden kamalaharris happybirthdaykamala icecreamcake savethedate maddow bitmojimaddow,United States of America,New York,NY,Joe Biden,2,0\r\n1610,10/20/2020,atensnut good little commies and biden voters,United States of America,Indiana,IN,Joe Biden,1,0.6\r\n1611,10/20/2020,bannon trump must revoke joe biden's security clearance trump biden news,United States of America,California,CA,Joe Biden,0,-0.6\r\n1612,10/20/2020,bblock29 brattleboro vermont. vt vote votelikeyourlifedependsonit biden bidenharristosaveamerica,United States of America,New York,NY,Joe Biden,1,0.2\r\n1613,10/20/2020,because joebiden is looking for the best person for the job.,United States of America,Texas,TX,Joe Biden,1,0.4\r\n1614,10/20/2020,beckyjohnsart i voted for joebiden and i live in mrrogersneighborhood pittsburgh bidenharris2020landslide,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1615,10/20/2020,beckyjohnsart voted in pa by mail and it was recorded. biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n1616,10/20/2020,biden,United States of America,California,CA,Joe Biden,1,0.3\r\n1617,10/20/2020,biden,United States of America,Rhode Island,RI,Joe Biden,1,0.3\r\n1618,10/20/2020,biden + pelosi  would sell out george washington 4 the yuan. they lack the common sense + integrity of compass to hold the ground 4 american needs. hunterbidensholdingtheloot we need 2 protect him from unjustenrichment + 2 keepthejobkillerofappalachia away from temptation,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1619,10/20/2020,biden bidenharris,United States of America,Oregon,OR,Joe Biden,1,0.3\r\n1620,10/20/2020,biden campaign faces backlash for tv ad depicting michigan tech ceo as struggling bar owner like all biden ads bogus as hell  foxnews,United States of America,Tennessee,TN,Joe Biden,0,-0.8\r\n1621,10/20/2020,biden cnn trump,United States of America,Illinois,IL,Joe Biden,2,0\r\n1622,10/20/2020,biden democrat has pissed off liberty,United States of America,California,CA,Joe Biden,0,-0.9\r\n1623,10/20/2020,biden hates facebook political ads so much he spent $63 million there over the last 90 days,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n1624,10/20/2020,biden is still hell-bent on preserving u.s. imperial power at any cost endless wars climate catastrophe mass extinctions and the terrifying risk of a final apocalyptic mass-casualty war. --medeabenjamin nicolasjsdavies.,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1625,10/20/2020,biden restoring the soul of our nation \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x98\x8a,United States of America,Nevada,NV,Joe Biden,1,0.8\r\n1626,10/20/2020,biden vote\xc2\xa0 donate oh tx wi michigan detroit yourvoice yourvote university latino jobs union health fl  2020 get your friends to vote donate,United States of America,New York,NY,Joe Biden,1,0.1\r\n1627,10/20/2020,bidens muslim voter commercial | biden's commercial for muslims &gt;&gt;&gt;  bidenharris2020landslide biden trumppence2020 trump2020tosaveamerica,United States of America,Florida,FL,Joe Biden,2,0\r\n1628,10/20/2020,blackamerica wake up 40 years joebiden has been feeding yall crap.,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n1629,10/20/2020,blacktwitter blacksfortrump biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb tuesdaythoughts,United States of America,New York,NY,Joe Biden,1,0.4\r\n1630,10/20/2020,blue_texas2020 brave texans are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1631,10/20/2020,brasilmagic louisvirtel tiffanyatrump he's pissed off everyone except white voters - but now that he's pissed them off  joebiden is leading - donaldtrump is desperate.  suddenly blacks and lgbtq are his best friends.  oh plurze sister  ps tiffanytrump looks to me as someone doing ivankatrump in drag.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1632,10/20/2020,ca ag xavierbecerra for us attorney general if joebiden wins it could happen. i've heard from more than one biden insider that he's in the mix as the transition team puts together a potential cabinet especially since they're short on latinx candidates for top slots.,United States of America,California,CA,Joe Biden,1,0.2\r\n1633,10/20/2020,cagoldenbear paying $750. in taxes is his miracle oh don\xe2\x80\x99t you wish it could happen to us bidenharristosaveamerica biden turntexasblue unitebluetx betoorourke betomedia  millennial_dems republicansforbiden,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1634,10/20/2020,can you elaborate on this a bit erictrump your father has set the record for most potus golfing days has the most \xe2\x80\x98empty\xe2\x80\x99 schedule ever &amp; last week sent over 100 tweets in a day. tell me again about workethic joebiden bidenharristosaveamerica bidenharris2020landslide,United States of America,California,CA,Joe Biden,0,-0.3\r\n1635,10/20/2020,carmanavenue iveyjanette_207 beaureports he's telling his followers to vote for trump to avoid a huge incometax  increase - biden's tax increase will affect those who make over $400000 and 50cent fits in that category,United States of America,Pennsylvania,PA,Joe Biden,0,-0.6\r\n1636,10/20/2020,changemustcome7 proudsocialist joebiden speakerpelosi senschumer childish tempertantrums b/c biden won't say he wants to provide medicare4all,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n1637,10/20/2020,check out progressives for joebiden's video realdonaldtrump,United States of America,Georgia,GA,Joe Biden,2,0\r\n1638,10/20/2020,cindymccain just said in a biden ad that john and joe travelled together to sell the unitedstatesofamerica votetrump voterepublicann realdonaldtrump,United States of America,California,CA,Joe Biden,2,0\r\n1639,10/20/2020,climate change for dummies  via youtube biden harris sleepjoe greennewdeal courtpacking buildthewall,United States of America,California,CA,Joe Biden,0,-0.1\r\n1640,10/20/2020,cnn why when i go on the cnn app &amp; click on politics i see so much stuff about donaldjtrump nothing about joebiden. cnn stop feeding into giving realdonaldtrump juice or fuel. you\xe2\x80\x99re making people numb to his awkwardness. you can ignore him sometimes. show biden instead,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1641,10/20/2020,commission adopts new rules to mute microphones during presidential debate between president trump and former vice president biden,United States of America,Maryland,MD,Joe Biden,0,-0.3\r\n1642,10/20/2020,commission will mute mics during final debate between trump and biden  via nypost,United States of America,New York,NY,Joe Biden,2,0\r\n1643,10/20/2020,coronavirusoutbreak wearamask washyourhands socialdistancing voteearly joebiden,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n1644,10/20/2020,cosmicastronut nbcphiladelphia i believe the 26 rape allegations against trump have been look at before he became president by the media and i am sure you know they don\xe2\x80\x99t like trump now most of the media does like biden and doesn\xe2\x80\x99t report any negative new about him. do you know about those emails,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n1645,10/20/2020,court vacates trump administration rule that sought to kick thousands off food stamps  trump biden election2020,United States of America,New Mexico,NM,Joe Biden,0,-0.7\r\n1646,10/20/2020,creepyjoebiden biden debates2020,United States of America,Virginia,VA,Joe Biden,1,0.3\r\n1647,10/20/2020,damonm389 natesilver538 nicely said.  i love nate love him.  all here tho not sure the point - no one denies there\xe2\x80\x99s seemingly a ~3% r tilt in ec relative to pv. keep incontext of natl 10-11% lead. e.g. final \xe2\x80\x9816 pa polling average had ~hrc +3. biden is +6.5. talk to me if that\xe2\x80\x99s cut in half maybe.,United States of America,New York,NY,Joe Biden,1,0.1\r\n1648,10/20/2020,danduq00 proudsocialist dbigorion in short. bending a knee to  people like joebiden and other neoliberals has no exit strategy. it's only an argument for a slow gradual slide to the right. nothing more.,United States of America,Maryland,MD,Joe Biden,0,-0.4\r\n1649,10/20/2020,dankojesse davidmweissman levparnas the reality is that trump is not anti riot in fact he's quite the opposite. he saw what would happen by fanning the flames and knew he could exploit it for political gain. calling in the ng was a stunt. biden said that the demonstrations were mostly peaceful which they were.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1650,10/20/2020,dear donaldtrump supporters i want to hear from any of you how is joebiden going to take away god and your religion i know you won't answer because even all of you know he's talking out of his ass but you would never admit it.,United States of America,Florida,FL,Joe Biden,0,-0.9\r\n1651,10/20/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1652,10/20/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1653,10/20/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1654,10/20/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1655,10/20/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1656,10/20/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1657,10/20/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1658,10/20/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1659,10/20/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1660,10/20/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1661,10/20/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1662,10/20/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1663,10/20/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1664,10/20/2020,democrats joebiden weren't expecting an octobersurprise to land in their backyard and knock their candidate out.,United States of America,Minnesota,MN,Joe Biden,0,-0.8\r\n1665,10/20/2020,democratsaredestroyingamerica democrats biden the left is a cancerous rot on our republic,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1666,10/20/2020,detroit has a problem - how to fend off a democrat agenda when republicans buy your most profitable models - autospies auto news  biden trump agenda green fossilfuels,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1667,10/20/2020,dknight10k damn... i missed the word conservative when i read this. already got my joebiden vote in,United States of America,Nebraska,NE,Joe Biden,0,-0.1\r\n1668,10/20/2020,do not give him realdonaldtrump a second term. vote make a plan. vote early. votehimout vote biden bidenharris2020landslide,United States of America,California,CA,Joe Biden,2,0\r\n1669,10/20/2020,donated to joe biden watching the avengers cast votersassemble avengers joebiden joebiden2020,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1670,10/20/2020,douglasemhoff kamalaharris happy birthday future vice president kamalaharris i already sent my birthday gift.  my vote for you and future president joebiden,United States of America,Georgia,GA,Joe Biden,1,0.7\r\n1671,10/20/2020,dp_dietrich rbreich biden has never promoted \xe2\x80\x9cunity\xe2\x80\x9d in his 47 yrs in public \xe2\x80\x9cservice\xe2\x80\x9d look up his track record u think now that he\xe2\x80\x99s senile he\xe2\x80\x99s gonna change \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1672,10/20/2020,election predictions you won't hear from cnn or nytimes | michael malice...  via youtube bigtech biden harris blm antifaterrorists covid19 realdonaldtrump jewsfortrump blacksfortrump lawandorder silentmajorityrising maga,United States of America,California,CA,Joe Biden,0,-0.6\r\n1673,10/20/2020,endthechaos votehimout bidenharris2020 biden,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n1674,10/20/2020,enough about hunter biden. what about ivanka trump,United States of America,Texas,TX,Joe Biden,2,0\r\n1675,10/20/2020,every biden ad i see is touting his programs. the problem is that realdonaldtrump has already implemented them and they are working to bring prosperity to all americans. saynotojoe trumppence2020 rememberinnovemeber votered2020,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n1676,10/20/2020,every day we see another announcement with a billion dollars heading to a renewableenergy or electricvehicles project. couple that with a possible joebiden presidency with his plans and you see investments in fossilfuels as hazardous.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1677,10/20/2020,factsheet joekamala will empower blackmen | joebiden for president official campaign website blackmen4bidenharris \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x97\xb3\xe2\x9c\x8a\xf0\x9f\x8f\xbe\xf0\x9f\x92\xaf,United States of America,California,CA,Joe Biden,2,0\r\n1678,10/20/2020,final trump-biden debate will feature 'mute' button...,United States of America,California,CA,Joe Biden,2,0\r\n1679,10/20/2020,fionanme i voted today in ky for biden happybirthday \xe2\x98\xba\xf0\x9f\x8e\x89\xf0\x9f\x8e\x82,United States of America,Ohio,OH,Joe Biden,1,0.4\r\n1680,10/20/2020,firetheliar votejoebidentosaveamerica joebiden votebiden,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1681,10/20/2020,fishbones2020 the real hunterbiden story is that millions of people are rotting in prisons and being used for slave labor for the exact same thing he did but because his dad is racist biden he  never had to spend a single day in jail.,United States of America,Oregon,OR,Joe Biden,0,-0.7\r\n1682,10/20/2020,five days after the new york post started publishing alleged emails detailing biden family corruption the bidens still haven\xe2\x80\x99t claimed they\xe2\x80\x99re counterfeit.  wall street journal,United States of America,Oregon,OR,Joe Biden,0,-0.3\r\n1683,10/20/2020,for the uninformed selling a house for a profit triggers the capital gains tax. now there is an exemption for the 1st $500000 on your primary residence for married couples but imagine all the people with rental properties dumping them if joebiden gets elected,United States of America,Arizona,AZ,Joe Biden,0,-0.2\r\n1684,10/20/2020,former bush nat sec adviser ktmcfarland shows up on foxnews along w intelligence community 2 let all know the truth that repadamschiff is over playing his hand at the house intel trying to camouflage bidenemails biden has some explaining 2 do bidensrealprcissues 18uscsec201,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1685,10/20/2020,former head of gop republican national committee michael steele endorses joebiden for president.,United States of America,California,CA,Joe Biden,2,0\r\n1686,10/20/2020,giuliani heedless of intelligence warnings trumpimpeachment law in pushing anti- biden story  via msnbc news election2020 2020election bidenharris2020,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1687,10/20/2020,gonna be much less interesting in other words \xf0\x9f\x98\xac\xf0\x9f\xa4\xb7\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f presidentialdebate2020 uselection2020 uspresidentialelections2020 trump biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.6\r\n1688,10/20/2020,good \xf0\x9f\x98\x8c donaldtrump joebiden presidentialdebate \xf0\x9f\x91\xa9\xf0\x9f\x8f\xbd\xe2\x80\x8d\xf0\x9f\x92\xbb\xe2\x9c\xa8,United States of America,Georgia,GA,Joe Biden,1,0.8\r\n1689,10/20/2020,greenwald slams schiff over biden emails on fox thehill,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1690,10/20/2020,happy birthday kamalaharris i\xe2\x80\x99m in line to vote n austin wearing my chucks &amp; just might bust out in your dance moves from yesterday i\xe2\x80\x99m voting for you joebiden &amp; all dems down ballot. \xf0\x9f\x92\x99\xf0\x9f\x8c\x8adoing my part to turntexasblue bidenharris2020 votebluedownballot texasearlyvoting,United States of America,Texas,TX,Joe Biden,2,0\r\n1691,10/20/2020,hard pass. donate today instead  latinogreeksforbidenharris bidenharris2020 joebiden kamalaharris latinogreeks latinx fraternity sorority,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1692,10/20/2020,harris president biden the chinese are attacking us with missiles biden just give me three days to prepare. i'll be in the basement.   trump2020tosaveamerica,United States of America,California,CA,Joe Biden,0,-0.3\r\n1693,10/20/2020,health experts now recommend maximizing social distance by attending a biden rally satire  via thebabylonbee,United States of America,Illinois,IL,Joe Biden,1,0.4\r\n1694,10/20/2020,hey 50cent you make enough money to pay more in taxes.  it will benefit millions.  so maybe stop advocating only for yourself.  fiftycent joebiden taxtherich endpoverty medicareforall greennewdeal heroesact,United States of America,California,CA,Joe Biden,2,0\r\n1695,10/20/2020,hey resistersisters bidenboys am i wrong to actually start feeling like realdonaldtrump is going to lose in a massively embarrassing landslide i\xe2\x80\x99m going to resist until the bitter end but i feel hope for the first time in 4 years. am i wrong biden ichooseamerica,United States of America,Minnesota,MN,Joe Biden,0,-0.6\r\n1696,10/20/2020,hi karenmorfitt i just received filled out &amp; mailed out my absentee ballot 4 election2020 just now so \xf0\x9f\x99\x82 \xf0\x9f\x91\x8d\xf0\x9f\x8f\xbb now let\xe2\x80\x99s kick trump outta the \xf0\x9f\xa4\x8d \xf0\x9f\x8f\xa1 together \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 ivotedearly vote elections2020 electionday joebiden kamalaharris november3rd makeamericabetteragain,United States of America,New York,NY,Joe Biden,1,0.2\r\n1697,10/20/2020,hodgetwins 50cent saw biden\xe2\x80\x99s taxplans. the one where he will now have to pay more than what he\xe2\x80\x99s been paying - less than his fair share. that\xe2\x80\x99s the problem here you know. once people get to $400k they are unwilling to pay their fair share they want to hide cheat and vote for trump,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1698,10/20/2020,how does it work genius our media ignores the 12 year barackobama fanniegate conservatorship robbery from the $fnma $fmcc retirees and shareholders and instead writes stories about fake russian collusion opposing an elected president while protecting corruption of biden.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1699,10/20/2020,how mormons fed up with trump could help lift biden in arizona,United States of America,Ohio,OH,Joe Biden,0,-0.4\r\n1700,10/20/2020,huffpost still the traitors won\xe2\x80\x99t get media approval they just want to hide their corruption cases in case biden wins,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1701,10/20/2020,hunterbiden hunterbidingemails joebiden newyorkpost debates2020 dnc where's hunter and why is he not on the campaign trail for his father oh i forgot he would actually have to answer questions better stay in the basement,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1702,10/20/2020,hunterbiden is no doubt gonna sell out joebiden to keep his ass outta jail,United States of America,Pennsylvania,PA,Joe Biden,0,-0.9\r\n1703,10/20/2020,hypothetical what happens if trump wins re-election there's so much talk about him committing to a peaceful transfer of power &amp; what biden would do as president. what if he doesn't win then what what if trump is successful at stealing this election somethingtothinkabout,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1704,10/20/2020,i choose america over trump i choose democracy over authoritarianism i choose decency over corruption i choose character over narcissism  i choose joe biden  americaortrump biden votelikeyourlifedependsonit trumpcrimefamily strongerwithbiden,United States of America,Idaho,ID,Joe Biden,0,-0.3\r\n1705,10/20/2020,i choose joe  this video brings tears to my eyes but also hope for the future if we do the right thing. americaortrump biden voteblue votebidenharris2020,United States of America,Idaho,ID,Joe Biden,1,0.6\r\n1706,10/20/2020,i did my part.  hopefully it helps bring some sanity back to this country. vote voteearly votebiden biden bidenharris2020 voteblue turntxblue colinallred tx32,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1707,10/20/2020,i did not vote for trump in 2016. i was a republican until today. i\xe2\x80\x99m officially an independent leaning blue. i do not support hate of any kind and the dealings this administration has done with covid. get out and vote biden vote 2020election bidenharris election2020,United States of America,Oklahoma,OK,Joe Biden,0,-0.3\r\n1708,10/20/2020,i did this post 3 years ago demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1709,10/20/2020,i don't think biden should debate again unless obama's anger translator moderates. michaelkeegan,United States of America,California,CA,Joe Biden,0,-0.2\r\n1710,10/20/2020,i don\xe2\x80\x99t understand why reporters keep asking trump when he was tested; i\xe2\x80\x99m telling you he never had covid. everything about trumpy is fakenews projecting and distraction from trumptaxfraud trumpcrimefamily trumpcrimesyndicate &amp; the debates2020 with his nemesis joebiden,United States of America,Washington,WA,Joe Biden,0,-0.5\r\n1711,10/20/2020,i might not be any kind of political pundit but none of them figured out that biden's use of the word malarkey was a clue he was going to choose kamala as his running mate.,United States of America,Missouri,MO,Joe Biden,0,-0.7\r\n1712,10/20/2020,i predict that joebiden won\xe2\x80\x99t make it to electionday. i believe there is a plan being hatched right now to replace him on the ticket. he is compromised and can never be president.,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1713,10/20/2020,i really don\xe2\x80\x99t think tang wants a foreign policy only debate with joebiden but honestly there\xe2\x80\x99s nothing tang can honestly debate him on...so there\xe2\x80\x99s that.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1714,10/20/2020,i voted joebiden kamalaharris da-7286-5710-7478 voteblue animalcrossing acnh nintendoswitch,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n1715,10/20/2020,i voted today thanks crookedmedia for the example ballot joebiden bidenharrislandslide2020 bluewave2020 bidenharristosaveamerica,United States of America,Illinois,IL,Joe Biden,1,0.7\r\n1716,10/20/2020,i want a president who believes in science. i voted for biden because he plans to follow drfauci's medical advice. i voted for joebiden because he is a good man who will lead our entire country -- not divide us into red team / blue team for 4 years. i voted bidenharris2020,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n1717,10/20/2020,if biden wins election look for china to extort potus into silence while they annex taiwan and take total control of s. china seas. realdonaldtrump seanhannity senategop housegop,United States of America,California,CA,Joe Biden,0,-0.1\r\n1718,10/20/2020,if only people knew trump &amp; biden were both racists then the plutocracy would collapse with positive global ramifications,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1719,10/20/2020,if you want peace on earth you will not vote for war mongers and nation wreckers like biden clintons obamas harris  they destroy. trump builds coalitions and has created opportunity zones in  democrat run ghettos. whatdoyouhavetolose  your country freedom &amp; kids' future,United States of America,California,CA,Joe Biden,0,-0.3\r\n1720,10/20/2020,immigration makes this country great.  joebiden understands that.,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n1721,10/20/2020,in one of the united states of america\xe2\x80\x99s most consequential elections of our countries history never did i expect that when we started our initiative in 2015 now known as ballot measure 109 that it would be on the same dem. party of oregon\xe2\x80\x99s vote yes flyer as biden/kamala.,United States of America,Oregon,OR,Joe Biden,2,0\r\n1722,10/20/2020,incredible advertisement biden democrats democrat \xf0\x9f\xa4\xa3\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trump2020landslidevictory,United States of America,California,CA,Joe Biden,0,-0.2\r\n1723,10/20/2020,intelligence assessment of bidensemails are declarations of a national  security threat at the highest  level not only did joebiden manipulate us foreign  policy and use his position as vp to enrich himself as well as biden family members facts bidenharrislandslide2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1724,10/20/2020,is this significant or are there just too many vain people nodding in the background to get clicks and 50\xc2\xa2 is convinced taxes are bad vote biden,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1725,10/20/2020,it\xe2\x80\x99s 8am &amp; i just got a text from blacksfortrump wtf 1st off how did u get my number 2nd how u know i was black \xf0\x9f\x98\x823rd if i\xe2\x80\x99m going to support some random white tv guy with no political experience for president i would support johnstamos  so stop playing on my \xf0\x9f\x93\xb1 vote biden,United States of America,California,CA,Joe Biden,0,-0.7\r\n1726,10/20/2020,it\xe2\x80\x99s going to take 2 significant events to correct 2020 asteroid hitting and biden winning,United States of America,California,CA,Joe Biden,1,0.1\r\n1727,10/20/2020,ivoted as i was standing there pressing the button for joebiden and kamalaharris i felt a lump in my throat. i could feel the tears coming. tears of happinesses and proud to be voting for bidenharris. no lines in illinois everyvotecounts. votebidenharris2020 voteearly,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1728,10/20/2020,i\xe2\x80\x99m officially standing in line ready to vote for equal rights for all. that means i\xe2\x80\x99m voting for vp joebiden and kamalaharris. i will stand here for days if i have to grabhimbytheballot biden bidenharris takebackamerica,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1729,10/20/2020,jen2trump i know he is. i would like the people with the authority to lock people up to do their job. here\xe2\x80\x99s a quick list of criminals they can start with. hunterbiden joebiden jamescomey brennen clapper hillary bill onama,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n1730,10/20/2020,jewishconnectiv honestly i think it kind of matters what the power dynamic is. in my orthodox congregation i'm in the extreme minority as a biden voter. and my fight for biden and to dumptrump is rooted very heavily in my jewish beliefs and a white nationalist militia paraded past my house.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1731,10/20/2020,jimsciutto cincity631 reprooney joebiden realdonaldtrump dear floridafloridaflorida your republican representative would like you to know that joebiden \xe2\x80\x9chas the right approach.\xe2\x80\x9d votebluetosaveamerica,United States of America,California,CA,Joe Biden,1,0.2\r\n1732,10/20/2020,joe biden could literally shoot trump in the middle of 5th avenue and i'd crawl broken glass to crawl over trump's fat ass to vote for biden. bidenharris2020 biden ripgop joebiden,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n1733,10/20/2020,joe biden's polling lead slips in wake of post report on hunter biden pollnumbers slipping   via nypost,United States of America,California,CA,Joe Biden,0,-0.4\r\n1734,10/20/2020,joe biden\xe2\x80\x98s transition co-chair hosted chinese elites at obama white house joebiden burisma china corruption  via breitbartnews,United States of America,California,CA,Joe Biden,0,-0.2\r\n1735,10/20/2020,joe biden\xe2\x80\x99s pathetic response to huntergate proves he\xe2\x80\x99s in deep trouble  via youtube.  welcome to campaigning cats.\xf0\x9f\xa4\xaa\xf0\x9f\x98\xbc\xf0\x9f\x98\xb9nextnewsnetwork has it al right here.  joebiden hgate,United States of America,Illinois,IL,Joe Biden,2,0\r\n1736,10/20/2020,joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1737,10/20/2020,joebiden,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n1738,10/20/2020,joebiden,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1739,10/20/2020,joebiden,United States of America,Missouri,MO,Joe Biden,1,0.3\r\n1740,10/20/2020,joebiden,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n1741,10/20/2020,joebiden,United States of America,Alabama,AL,Joe Biden,1,0.3\r\n1742,10/20/2020,joebiden answer tough questions on sunday. he told reporters he had two milkshakes 1 chocolate one vanilla. and i think he needed a q-card to say that.,United States of America,Michigan,MI,Joe Biden,0,-0.4\r\n1743,10/20/2020,joebiden does love kids ... and ice cream \xf0\x9f\x92\x93,United States of America,California,CA,Joe Biden,1,0.8\r\n1744,10/20/2020,joebiden has gone underground again until thursday night\xe2\x80\x99s debate. my nickname for him now is punxsutawney joe. he lives underground and is afraid of his own shadow. \xf0\x9f\x98\x84 donaldtrump foxnews punxsatawneyjoebiden,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n1745,10/20/2020,joebiden hunterbidenlaptop hunterbidenemails,United States of America,New York,NY,Joe Biden,1,0.3\r\n1746,10/20/2020,joebiden lord jesus..pleade kill me give me covid-19 or make me faint until november 4th. i can't with trump anymore... votehimout biden,United States of America,Nevada,NV,Joe Biden,0,-0.2\r\n1747,10/20/2020,joebiden mrap. joe advertising that he got the mrap sent to iraq to protect our troops. funny that happened when his son was in iraq.,United States of America,Arizona,AZ,Joe Biden,1,0.1\r\n1748,10/20/2020,joebiden no lets forget about the past. biden is an expert in forgetting. why should we have trust in the future you promise is you already failed for almost half a century,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1749,10/20/2020,joebiden shifts selfmarketing in to presidency possibly taking a page out of donaldjtrump playbook of brandmessaging shifting selfmessaging from joebiden to josephrbidenjr tying self to fathersmemory  joey he says his dad called him seeks to growup to possible voters,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1750,10/20/2020,joebiden symonedsanders kamalaharris absolutely not. biden election2020 iowa vote,United States of America,Iowa,IA,Joe Biden,0,-0.1\r\n1751,10/20/2020,joebiden the post turtle trump2020,United States of America,Texas,TX,Joe Biden,2,0\r\n1752,10/20/2020,joebiden\xe2\x80\x99s senior advisor clarifies his stance on taxes following a post made by 50cent urging people to vote for donnie swipe  new orleans louisiana,United States of America,Louisiana,LA,Joe Biden,1,0.3\r\n1753,10/20/2020,joerogan i didn\xe2\x80\x99t realize bertkreischer could shoot a bow better than you. downgoesrogan bullseyebert joewiththemiss soberthat mma ufc trump2020 biden fsu buccaneers debate election2020 cnn sux,United States of America,Florida,FL,Joe Biden,2,0\r\n1754,10/20/2020,just saw a biden commercial talking abt the \xe2\x80\x98losers\xe2\x80\x99 atlantic article. let\xe2\x80\x99s see a realdonaldtrump commercial about hunterbidenlaptop emails and selfies. trump2020,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1755,10/20/2020,kamalaharris happy birthday we just voted for you. hope that counts in lieu of a gift. voteearly kamalaharris joebiden,United States of America,Texas,TX,Joe Biden,1,0.4\r\n1756,10/20/2020,ladies and gentlemen hunterbiden - \xe2\x81\xa6joebiden\xe2\x81\xa9 son with crack pipe - he will be taking daddy down dark places if joebiden wins. ukraine is just the tip of the iceberg huntergate cnn,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1757,10/20/2020,laraleatrump trumpwarroom you might just like to show off more not a surprise you are a trump after all quality vs. quantity joebiden has the quality that none of you have,United States of America,California,CA,Joe Biden,0,-0.3\r\n1758,10/20/2020,letstalkaboutbeau remember him beau all this talk of hunter nobody cares. it just shows what a decent person joe biden is what a good father. what a great leader he will be. he will pull us out of this virus for good. and be transparent and truthful about it.,United States of America,Maryland,MD,Joe Biden,2,0\r\n1759,10/20/2020,literally lost his \xe2\x80\x9cchain\xe2\x80\x9d of thought \xf0\x9f\x92\xad while talking about biden losing his train of thought. you just can\xe2\x80\x99t make this up anymore decision2020,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1760,10/20/2020,losses our public lands traditions national pride and hierarchy sense of safety our democratic patterns trust in our neighbors protection of the environment. these are enormous losses. we must grieve. and vote blue.resist votehimout biden trumpisnotamerica,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1761,10/20/2020,m32bad phillytalk just like how you left when that arab hussein became president right flyover nfl troyaikman joebuck biden trump,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1762,10/20/2020,mama_c2 biden is a criminal,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n1763,10/20/2020,mattgertz i wonder why teamtrump doesn\xe2\x80\x99t hand the biden camp a copy of hunterbidenlaptop so they can compare what is real and what is fake / implanted  i wonder.  maga,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1764,10/20/2020,michael steele is a good man. if you have been listening to him for the past couple of years you already knew he would never vote for trump. i'm glad he has publicly endorsed biden. joebiden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1765,10/20/2020,mike_pence joebiden votebidenharris,United States of America,Minnesota,MN,Joe Biden,1,0.3\r\n1766,10/20/2020,mike_pence keep your head in there 750dollardon 25thamendmentnow bidenharris2020 crazyuncletrump joebiden bidenwillcrushcovid cubanosconbiden fly2020,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1767,10/20/2020,mikebalsamo1 not good for biden. the more he talks the greater chance of a total brain fart,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1768,10/20/2020,mikercarpenter jbancchatter joebiden biden knows his stuff \xf0\x9f\x92\xaa,United States of America,Colorado,CO,Joe Biden,1,0.8\r\n1769,10/20/2020,minutoaminuto coberturaespecial elecciones2020 eeuu americadecide biden trump,United States of America,Florida,FL,Joe Biden,2,0\r\n1770,10/20/2020,mynameis erica and it comes from german heather. it means regal and powerful. i stand with kamalaharris and joebiden. get out there and vote\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Massachusetts,MA,Joe Biden,1,0.1\r\n1771,10/20/2020,nailed it joebiden kamalaharris,United States of America,California,CA,Joe Biden,1,0.9\r\n1772,10/20/2020,naturally_holly hi. i was going to vote there tomorrow. how long did you have to wait bringing my brother. biden voters wondering best time to go. thanks,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1773,10/20/2020,new debate rule trump  biden microphones to be muted while rival speaks,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1774,10/20/2020,nikkihaley live look at joebiden the next president of the united states.,United States of America,Texas,TX,Joe Biden,2,0\r\n1775,10/20/2020,not even close. bidenharris2020 joebiden,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n1776,10/20/2020,not looking too good surely will/should joebiden step down &amp; kamalaharris become the candidate .... joe biden's son hunterbiden emailed shop owner about hard drive to......  via youtube,United States of America,California,CA,Joe Biden,0,-0.4\r\n1777,10/20/2020,notmypresident bluewave2020 theresistance flipitblue antitrump unfitforoffice   ruleoflaw deathofdemocracy joebiden2020 joe2020 joebiden bidenharris2020 trumpiscompromised,United States of America,New York,NY,Joe Biden,1,0.4\r\n1778,10/20/2020,now we know why joebiden got so angry because he is corruptjoe,United States of America,California,CA,Joe Biden,0,-0.9\r\n1779,10/20/2020,ocnana2013 imthereallaura dbongino and that\xe2\x80\x99s the only reason he\xe2\x80\x99ll never be held accountable. biden is expendable. the anointed one is not.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1780,10/20/2020,oh biden didn\xe2\x80\x99t mention shake he always has to mention race \xe2\x80\x9c oh i have black and white\xe2\x80\x9d tell him to go back to sleep l loser news cbs,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n1781,10/20/2020,one of the greatest liars and negative influences on our culture in the century. wonder if he\xe2\x80\x99ll have any regrets as he faces death voteearly joebiden,United States of America,North Carolina,NC,Joe Biden,0,-0.5\r\n1782,10/20/2020,people can dismiss the political influence of 50cent icecube and kanyewest but our hiphoppreneur poll has data showing the potential impact of all 3 on the election. democrats have long had a problem with black males that pres. obama's popularity masked. biden is vulnerable.,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1783,10/20/2020,petebuttigieg what you really mean is vote as quick as you can because more bad stuff about joebiden is going to be revealed.,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n1784,10/20/2020,politico main problem with bigtech &amp; msm disappearing biden emails story &amp; fbi stonewalling we have to know if biden is susceptible to blackmail from us\xe2\x80\x99s now-biggest geopolitical military &amp; anti-democracy adversary china ..which wants to take us &amp; its allies &amp; its values down.,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n1785,10/20/2020,poll will you watch/listen to the presidentialdebate2020 this thursday election2020 trump biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n1786,10/20/2020,polls shows biden in the lead but we must continue to keep voting everyone.,United States of America,California,CA,Joe Biden,1,0.1\r\n1787,10/20/2020,presidentialdebatecommission will mutemics during final debate2020  between donaldtrump and joebiden  via nypost election2020,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1788,10/20/2020,proud to be part of teambiden. tonight we made calls to arizona for biden &amp; mark kelly. helped one first time voter figure out her plan to vote. feel fortunate to be able to help others exercise their right to vote. bidenharris2020 markkellysenate,United States of America,District of Columbia,DC,Joe Biden,1,0.4\r\n1789,10/20/2020,realdonaldtrump and the gop are trying to pull a hillary on joebiden read my blog     joebiden donaldtrump,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1790,10/20/2020,realdonaldtrump calls the press \xe2\x80\x9cenemy of the people\xe2\x80\x9d wants his political opponent locked up says members of the press are criminals for not reporting what he believes that biden is a criminal. trump says fauci and scientists are wrong. and you want trump to continue,United States of America,Ohio,OH,Joe Biden,0,-0.7\r\n1791,10/20/2020,realdonaldtrump donaldtrump obsesses about tv ratings which makes it really embarrassing trump\xe2\x80\x99s townhall on nbc msnbc &amp; cnbc combined had less viewers than joebiden\xe2\x80\x99s on abc sadreally,United States of America,California,CA,Joe Biden,0,-0.8\r\n1792,10/20/2020,realdonaldtrump i hope biden buys the last 15 minutes of the broadcast after you stormed out 15 minutes before the end.,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n1793,10/20/2020,realdonaldtrump stevekalayjian varneyco the average working class american like me isn't  invested in the stock market. we. don't. care. we do care about the 220000 americans who have died due to your negligence though. biden bluewave2020 fauci science byedon,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1794,10/20/2020,realdonaldtrump stevekalayjian varneyco the real story about the stock markets. \xf0\x9f\xa4\xa3 trump trumpisalaughingstock trumpisaloser bidenharrislandslide2020 biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n1795,10/20/2020,realdonaldtrump stevekalayjian varneyco you're fired biden,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n1796,10/20/2020,realdonaldtrump worst president ever this suburban woman hates you joebiden trumpvirusdeathtoll224k,United States of America,Michigan,MI,Joe Biden,0,-0.9\r\n1797,10/20/2020,realdonaldtrump yes go wisconsin  i just voted....for joebiden \xf0\x9f\x91\x8f\xf0\x9f\x91\x8d,United States of America,Wisconsin,WI,Joe Biden,1,0.3\r\n1798,10/20/2020,realdonaldtrump your ranting is sad. trump trumpnotfitforoffice resist biden2020 biden bidenharris bidenharris2020tosaveamerica,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n1799,10/20/2020,realdonaldtrump you\xe2\x80\x99ve done nothing to help me my family or my country in four years.  if anything we are less safe now with a pandemic you helped accelerate with your bad policies.  i\xe2\x80\x99m voting for joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n1800,10/20/2020,realdonaldtrump \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3 notmypresident lesliestahl votehimout biden chooseamerica,United States of America,Ohio,OH,Joe Biden,1,0.4\r\n1801,10/20/2020,really 50 cent and ice cube photogate is trending. meanwhile biden is in hiding twitter and fb are censoring a former vp is alleged to have rec'd $$ from the ccp biden family lawyers are scrambling to cover this up and russia is to blame wake up biden is corrupt wake up,United States of America,Minnesota,MN,Joe Biden,0,-0.1\r\n1802,10/20/2020,reasons to vote for joe  biden2020 joebiden biden vote,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1803,10/20/2020,relax democrats &amp; republicans for a minute. i cooked dinner for ya'll. barackobama barackobama obamamalik joebiden joebiden donaldtrump realdonaldtrump,United States of America,Pennsylvania,PA,Joe Biden,1,0.5\r\n1804,10/20/2020,rudy giuliani should be prosecuted for this attack on hunter and joe biden. its truly criminal what he is.doing to smear these men. giulianitraitor giuliani election2020 biden biden2020,United States of America,Kentucky,KY,Joe Biden,0,-0.3\r\n1805,10/20/2020,sciencematters scientists trump unfittobepresident \xe2\x81\xa6adamzyglis\xe2\x81\xa9 joebiden bidenharris covid19 coronavirus climatechange environment publichealth voteforourlives,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1806,10/20/2020,seanhannity report sean hannity may finally lose his job as a lying talking head at fox when joebiden steps into the presidency on january 20th. whatever happened to those sexual abuse charges sean,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n1807,10/20/2020,senschumer don\xe2\x80\x99t be such a baby how about do you your job and vote the stimulus through i am the owner of my own company and if i forced my work to close till after the election i wouldn\xe2\x80\x99t make any money pelosi dnc biden votethemallout,United States of America,California,CA,Joe Biden,0,-0.7\r\n1808,10/20/2020,should biden check into a pennsylvania motel 6 the next 2 weeks campaign in pa daily win comfortably\xe2\x80\x94or judge barrett overturns contested election with 5-4 vote,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1809,10/20/2020,should i incorporate overseas corp now  trump biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1810,10/20/2020,sip that tea biden.. \xf0\x9f\x99\x8c\xf0\x9f\x8f\xbc\xf0\x9f\x92\x99\xf0\x9f\x98\x8e maddow bitmojimaddow,United States of America,New York,NY,Joe Biden,1,0.6\r\n1811,10/20/2020,so the media continues to lie for joebiden from the use of teleprompter c\xe2\x80\x99mon joebiden is non fit to be our president yet we here that he is okay this whole election is a lie realdonaldtrump is real 4 more years vote for trump otherwise check this out,United States of America,California,CA,Joe Biden,0,-0.8\r\n1812,10/20/2020,so you don\xe2\x80\x99t want to make over $399999.00 a year right taxes biden,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n1813,10/20/2020,spencerjcox petersonutah will either of you nice men confront joebiden on his corruption,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1814,10/20/2020,stay informed about the latest biden-harris events by keeping up with demlist  find out how you can support biden by clicking the link,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1815,10/20/2020,steveschmidtses realdonaldtrump if trump wins the reelection then the end times will begin . like that's a good thing . maybe biden should use it on the campaign trail . these people are sick,United States of America,New York,NY,Joe Biden,2,0\r\n1816,10/20/2020,such a sweet good and ethical man joebiden,United States of America,California,CA,Joe Biden,1,0.9\r\n1817,10/20/2020,supporting joebiden over the monster now in the white house doesn't require ignoring his weaknesses.,United States of America,California,CA,Joe Biden,1,0.3\r\n1818,10/20/2020,ted nugent beto biden harris \xe2\x80\x98are coming to take your guns\xe2\x80\x98  via breitbartnews 2a tednugent biden realdonaldtrump,United States of America,Washington,WA,Joe Biden,2,0\r\n1819,10/20/2020,tell me again how biden is winning if he wins there is no doubt the dems cheated. trump2020nowmorethanever,United States of America,New Jersey,NJ,Joe Biden,0,-0.2\r\n1820,10/20/2020,texans are making a statement vote blue. joebiden,United States of America,Massachusetts,MA,Joe Biden,1,0.1\r\n1821,10/20/2020,thank you tbowmannpr for your service and for giving me hope. biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.6\r\n1822,10/20/2020,the biden family won\xe2\x80\x99t deny even the most basic accusations by the nypost.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n1823,10/20/2020,the coolest thing about voting is that cool sticker you can get at the end trump biden,United States of America,Georgia,GA,Joe Biden,1,0.9\r\n1824,10/20/2020,the middle east has changed. now arab leaders fear a president biden may spurn israel and cozy up to turkey and iran writes wrmead,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1825,10/20/2020,the most shocking for me was 2016. coney and russia did that to us. will start to heal if joebiden is elected.,United States of America,North Carolina,NC,Joe Biden,0,-0.2\r\n1826,10/20/2020,the new york post\xe2\x80\x99s biden laptop story continues to ripple across the media and politics this week.  biden laptop uspolitics,United States of America,Florida,FL,Joe Biden,2,0\r\n1827,10/20/2020,the only thing that will change after the election2020 if biden wins is that republicans will go from loving everything the potus does to hating everything and the democrats will go from pointing out every little lie and misstep to defending everything biden does.,United States of America,Wisconsin,WI,Joe Biden,0,-0.2\r\n1828,10/20/2020,the trumpcampaign called on the commission on presidential debates to include foreignpolicy as 1 of the 6 topics that will be included in the next debate with joebiden.,United States of America,New York,NY,Joe Biden,2,0\r\n1829,10/20/2020,thedailybeast good for him. i am so sick of the disrespectful crap they give him while their noses are so far up joebiden's rear.,United States of America,California,CA,Joe Biden,2,0\r\n1830,10/20/2020,thehill for the debate let\xe2\x80\x99s talk covid heathinsurance supportofsmallbusinesses personalhouseholdfinances theenviorment climatechange globalrelations  racerelations &amp; domesticsecurity. trump or biden have no rights to make demands or limitations. votelikeyourlifedependsonit,United States of America,Illinois,IL,Joe Biden,2,0\r\n1831,10/20/2020,thesarcasmshow my brother is a life long cowboys fan retired vet and life long republican... he voted biden \xf0\x9f\x98\x8a.,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1832,10/20/2020,this decency country respect lgbtq blacklivesmatter joebiden,United States of America,North Carolina,NC,Joe Biden,0,-0.2\r\n1833,10/20/2020,this tops it all off coming from nytimes anti chamber this odious natsec rag politico omitting the most important news hunterbidenemails daddy\xe2\x80\x99s boy hunterbiden &amp; dentures joebiden campaign have yet to deny authenticity of emails,United States of America,New York,NY,Joe Biden,2,0\r\n1834,10/20/2020,tho91846822 biden was never up in the polls to begin with.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1835,10/20/2020,thomashprindle1 walshfreedom donaldtrump\xe2\x80\x99s numbers on coronavirus makes no sense - because if he saved millions of lives - then we would have seen those numbers play out in other countries.  so instead of canada having 1/2 death rate per capita - they would have been 5 to 10 times worse. joebiden listens,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1836,10/20/2020,thomasravenel biden because realdonaldtrump made america suck .. let\xe2\x80\x99s revive america bidenharristosaveamerica,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1837,10/20/2020,thor_benson they could find jimmy hoffa buried in biden backyard and i\xe2\x80\x99d still vote for him. there is no surprise that would alter my vote,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1838,10/20/2020,tlsg99 joebiden realdonaldtrump who is running for president... hunterbiden or joebiden who the hell is hunterbiden and is he on the ticket this november naw so who cares about hunterbiden i\xe2\x80\x99m not voting for him it\xe2\x80\x99s a choice between joebiden and donaldtrump....,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1839,10/20/2020,too damn funny \xf0\x9f\x98\x82 50cent  biden trump 50cent,United States of America,California,CA,Joe Biden,1,0.9\r\n1840,10/20/2020,trump biden,United States of America,New York,NY,Joe Biden,2,0\r\n1841,10/20/2020,trump biden election2020 polling,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n1842,10/20/2020,trump hires scott atlas as his go to covid advisor because of what he said on fox news. that is all the resume you need. experience or intelligence on the subject not required with this lite house. biden resist bidenharris2020landslide,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n1843,10/20/2020,trump said the opioidepidemic would go away. it didn\xe2\x80\x99t.  via voxdotcom news biden opioidepidemic drugoverdoses addiction election2020 2020election,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1844,10/20/2020,trump virus is a pandemic itself. eats out brain and leave you dumb. maga elections2020 biden,United States of America,Washington,WA,Joe Biden,0,-0.2\r\n1845,10/20/2020,trump voters believe him over national intelligence agency over &amp; over. this is why we need real leadership and not a finger-pointing child. votebidenharris votehimout biden bidenharristosaveamerica bluewave,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1846,10/20/2020,truth. biden joebiden bidenharris bidenharris2020 bote voteblue vote2020 maddow bitmojimaddow,United States of America,New York,NY,Joe Biden,1,0.3\r\n1847,10/20/2020,turns out yougov/yahoo also have pretty good data on what my former advisor elizabeth noelle-neumann called people's quasi statistical sense.  elections2020 biden trump,United States of America,Wisconsin,WI,Joe Biden,1,0.4\r\n1848,10/20/2020,twitter cracks down on nypost bombshell that revealed the dark side of hunterbiden. biden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n1849,10/20/2020,unitenov3 votelikeyourlifedependsonit votehimout votethemallout vote2020 votebidenharris2020 bidenharris2020landslide joebiden joebidenforpresident2020 votebluetoendthisnightmare votebluetosaveamerica votebidenharristosaveamerica,United States of America,Illinois,IL,Joe Biden,1,0.4\r\n1850,10/20/2020,unless &amp; until former vice president joe biden or a family member argues that the emails are fakes isn\xe2\x80\x99t there accountabilityofmedia for all journalists covering the campaign to acknowledge post reporting &amp; demand answers about the lucrative foreign sales of biden\xe2\x80\x99s name wsj,United States of America,Oregon,OR,Joe Biden,0,-0.7\r\n1851,10/20/2020,update on my mom the campaign volunteer she has been texting again since the beginning of october and got her op-ed published in indiacurrents about voting for biden this year  navaratri,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1852,10/20/2020,usa today backs biden with firstendorsement thehill,United States of America,Texas,TX,Joe Biden,2,0\r\n1853,10/20/2020,usatoday joebiden,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1854,10/20/2020,vidvin85 tlsg99 joebiden realdonaldtrump no you\xe2\x80\x99re trying to recreate 2016 at that ominous moment when we taught that hillary would win &amp; russia worked with trump to break a story about bengazzi emails. now trump is about to loose &amp; they trying to get biden\xe2\x80\x99s son not biden cause they can\xe2\x80\x99t catch him like hilary,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1855,10/20/2020,vote and eat a big sausage biden,United States of America,Washington,WA,Joe Biden,1,0.1\r\n1856,10/20/2020,vote biden bidenharris2020,United States of America,California,CA,Joe Biden,1,0.3\r\n1857,10/20/2020,votebluetosaveamerica vote biden trump covid19,United States of America,California,CA,Joe Biden,2,0\r\n1858,10/20/2020,voters prefer biden over trump on almost all major issues poll shows,United States of America,Puerto Rico,PR,Joe Biden,0,-0.1\r\n1859,10/20/2020,washingtonpost sorry but i\xe2\x80\x99m happy about this bidenharris2020landslide votebidenharris2020 biden,United States of America,California,CA,Joe Biden,1,0.7\r\n1860,10/20/2020,watch and be weary of the sudden polls change showing a tightening of the presidential race between trump and biden.  last week oldjoe was in double digits. since then caution on the left warned it was close now notice the polls are slightly favoring trump.  votetrump2020,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1861,10/20/2020,we are live talking about joebiden 50cent jeffreestar,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1862,10/20/2020,what a beautiful bright \xe2\x98\x80\xef\xb8\x8f sunny day to vote  thanks atlhawks and statefarmarena for easy early voting option. georgia biden votingmvps,United States of America,Georgia,GA,Joe Biden,1,0.6\r\n1863,10/20/2020,what free diversionary debate advice would you give joebiden for when djt attacks hunter make sure it\xe2\x80\x99s a non-sequitur...,United States of America,North Carolina,NC,Joe Biden,0,-0.4\r\n1864,10/20/2020,what the heck is wrong with the media they ask biden about his ice cream flavor this is truly pathetic. maga kag,United States of America,Arizona,AZ,Joe Biden,0,-0.2\r\n1865,10/20/2020,what those are crazy high tax numbers under the democrat biden tax plan.,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1866,10/20/2020,wheeler portland must prepare for possible post-election unrest   \xe2\x80\xa6 portland orpol portlandpolice portlandprotests portlandriots tedwheeler sarahiannarone trump biden election2020 oregon protests blm,United States of America,Oregon,OR,Joe Biden,0,-0.3\r\n1867,10/20/2020,when scaramucci is on cnn and declares biden is going to be the next president my pucker twitches and i sign up to door knock during a pandemic. biden harris 2020,United States of America,New York,NY,Joe Biden,2,0\r\n1868,10/20/2020,where do you see a fit for petebuttigieg in a joebiden administration feel free to use the comments for other elections2020 bidenharris2020 joebiden,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n1869,10/20/2020,why hasn\xe2\x80\x99t joebiden or anyone from his campaign denied the hunterbiden allegations if they\xe2\x80\x99re false,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n1870,10/20/2020,why is this family so desperate for attention biden bidenharris2020 trumpfamilygrifters,United States of America,California,CA,Joe Biden,0,-0.8\r\n1871,10/20/2020,williammcraven voteblue2020 biden blacklivesmatter equalityforall climatechangeisreal science dowhatsright dreamers,United States of America,California,CA,Joe Biden,1,0.1\r\n1872,10/20/2020,without mentioning realdonaldtrump or any of his family why are you voting for joebiden what policy of the bidenharris ticket are you relying on 2020election bidenharris2020 joebiden kamalaharris,United States of America,California,CA,Joe Biden,0,-0.8\r\n1873,10/20/2020,worth a read.putin russia biden trump election2020,United States of America,New York,NY,Joe Biden,1,0.5\r\n1874,10/20/2020,wow i can\xe2\x80\x99t believe this or how to take this is he wrong joebiden  kamala what is this kamalaharris joebiden,United States of America,Missouri,MO,Joe Biden,0,-0.7\r\n1875,10/20/2020,you gop rnc need to figure out how to cover the additional 8m ppl w/a preexisting condition worries abt biden don't do anything for them whom you are sworn to protect .. remember you oath naw.. you don't,United States of America,Ohio,OH,Joe Biden,0,-0.8\r\n1876,10/20/2020,you won\xe2\x80\x99t want to miss a moment of all the breaking stories &amp; headlines as we get down to the final weeks b4 election2020 - wbalradio will be your source for tracking key local races in baltimore and trump/biden. on the dial from the web &amp; our mobile app we\xe2\x80\x99ll b there,United States of America,Maryland,MD,Joe Biden,1,0.4\r\n1877,10/20/2020,yup vote like your life depends on it. biden bidenharris,United States of America,California,CA,Joe Biden,1,0.1\r\n1878,10/20/2020,\xf0\x9f\x93\xa3 new podcast episode 60 - crackhead cronyism on spreaker ancap biden cathedral cesspool cocaine covid crack dystopia election hunter libertarian lockdown media mises rothbard schiff tabloid tijuana trump,United States of America,California,CA,Joe Biden,0,-0.1\r\n1879,10/20/2020,\xf0\x9f\x93\xa3 new podcast trump vs. biden - what does the market look like on spreaker beatthemarket biden marketmanager politicalinvesting seasonalinvesting taxgame trump,United States of America,Oregon,OR,Joe Biden,0,-0.2\r\n1880,10/21/2020,bidenharrislandslide2020 biden trump trumpnotfitforoffice resist trumphasnoplan,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n1881,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1882,10/21/2020,hunterslaptop hunterbidensemails crackpipebiden trumppence2020 biden rudygiuliani hunterbiden,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1883,10/21/2020,\xf0\x9f\x94\xa5 joebiden praises mic muting as a \xe2\x80\x98good idea\xe2\x80\x99 \xe2\x80\x98i think there should be more limitations on us\xe2\x80\x99  &lt;&lt;&lt; click\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5,United States of America,Nevada,NV,Joe Biden,2,0\r\n1884,10/21/2020,13 days before the last day of voting and biden is ahead of trump by 7 points in pennsylvania according to suffolk_u /usatoday poll.,United States of America,New York,NY,Joe Biden,2,0\r\n1885,10/21/2020,1one9ninety6six trump\xe2\x80\x99s a massive failure. but sure do the maskless rally thing.   trade jobs biden florida ohio,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n1886,10/21/2020,42 year old james reed was arrested and charged after allegedly leaving a letter on theresa posthuma\xe2\x80\x99s doorstep - threatening to beat and kill presidential candidate joe biden and kamala harris. theresa says her stomach was in knots as she was reading the letter. wjz maryland,United States of America,Maryland,MD,Joe Biden,0,-0.2\r\n1887,10/21/2020,50 cent stopped being relevant years ago. vote biden,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1888,10/21/2020,545. if you want to know about why i'm voting for joe biden i'd love to talk.,United States of America,Florida,FL,Joe Biden,2,0\r\n1889,10/21/2020,7.0 men osphere beyond women u dnt like ice cube s timing then what tim...  via youtube thebreakdown blackyoutubebbqbecky racism blm agenda ados blacktweeter blacktwitter tytsports rickstrom trump biden riots nubianqueens,United States of America,California,CA,Joe Biden,0,-0.8\r\n1890,10/21/2020,a biden voter calling this trump voter a racist fucking chink yeah dont think about it too long or you'll get a nosebleed,United States of America,Georgia,GA,Joe Biden,0,-0.9\r\n1891,10/21/2020,admiral from bin laden raid endorses biden in dramatic fashion  via msnbc,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1892,10/21/2020,ahabvalue pjchougule gop predictit nc had ~5.8% r tilt in '16 trump won by 3.7% while losing nationally by 2.1%. 538 polling average currently has it biden +3.2%. so pretty consistent w 9% natl lead. same formula for fl=more indicative of biden nationally +7. but '16 fl r lean=small relative to historic mean,United States of America,New York,NY,Joe Biden,2,0\r\n1893,10/21/2020,am i the only one who sees that the rest of the world wants joebiden in office so they can cripple america,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1894,10/21/2020,americanewsroom sentedcruz corruption remains a key reason for the huge disconnect between congressional priorities wealthy zip codes and average americans. the bipartisan tradition of \xe2\x80\x9cpay to play\xe2\x80\x9d techniques has long plagued us politics. and the biden track record shouldn\xe2\x80\x99t be ignored. censorship,United States of America,California,CA,Joe Biden,0,-0.7\r\n1895,10/21/2020,and last year as she lay dying at massgenbrigham and i had the great privilege of holding her hand she told me how joebiden called her one last time to say goodbye. i think about that a lot as we head into election2020 vote i imagine chazy would marvel yet again joebiden,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n1896,10/21/2020,and let me guess twittercomms never put these biden people in twitterjail for calling you f**got while i got a week sentence for saying uppity ass negroes. funny. \xf0\x9f\xa4\x94\xf0\x9f\xa4\xa8,United States of America,California,CA,Joe Biden,2,0\r\n1897,10/21/2020,another good topic for the trump biden presidentialdebate. will it be on the agenda no,United States of America,California,CA,Joe Biden,1,0.1\r\n1898,10/21/2020,another republican endorsement for biden,United States of America,Florida,FL,Joe Biden,1,0.4\r\n1899,10/21/2020,anyone who believes cbs 60minutes are one sided fakenews did anyone saw the 60mintues australia with joebiden how he is a pedoit wasn\xe2\x80\x99t aired in here the states lies lies lies,United States of America,California,CA,Joe Biden,0,-0.8\r\n1900,10/21/2020,aplusk you both seem nice but a hardno on biden and dem policies,United States of America,Missouri,MO,Joe Biden,0,-0.4\r\n1901,10/21/2020,are you ready to vote  i am we\xe2\x80\x99re 13 days from our president election. please govoteny voteearly biden presidentialelection2020,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1902,10/21/2020,aynrandpaulryan can we erase realdonaldtrump as the 45th president and make joebiden the 45th asking for a friend. bidenharris2020,United States of America,Georgia,GA,Joe Biden,2,0\r\n1903,10/21/2020,b.o. right now... obamainphilly biden bidenharrislandslide2020,United States of America,Georgia,GA,Joe Biden,1,0.2\r\n1904,10/21/2020,barackobama is speaking at a drive-in rally in pennsylvania for joebiden,United States of America,California,CA,Joe Biden,2,0\r\n1905,10/21/2020,barackobama joebiden realdonaldtrump barack obama is killing it. he just makes sense. philadelphia joebiden joewillleadus vote2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n1906,10/21/2020,barackobama laying out the facts this evening in philadelphia.  making the case... greatspeech bidenharris2020 joebiden  barackobama,United States of America,New York,NY,Joe Biden,2,0\r\n1907,10/21/2020,barackobama the buhari administration has committed crimes against humanity in nigeria by declaring war against the nigerian youths for demanding good governance. buharimustgo usgovernment europeanparliament joebiden enoughisenough  buhariresign obama icj un,United States of America,Nevada,NV,Joe Biden,0,-0.2\r\n1908,10/21/2020,bc the candidate is joebiden .  while guiliani alleges porn on hunter's laptop actual video comes out about him.,United States of America,Washington,WA,Joe Biden,0,-0.3\r\n1909,10/21/2020,biden,United States of America,Washington,WA,Joe Biden,1,0.3\r\n1910,10/21/2020,biden biden2020 blm bidensniff,United States of America,Washington,WA,Joe Biden,1,0.3\r\n1911,10/21/2020,biden flip-flops \xe2\x80\x94 again \xe2\x80\x94 on national mask mandate,United States of America,New York,NY,Joe Biden,2,0\r\n1912,10/21/2020,biden has a heart. trump doesn\xe2\x80\x99t. it\xe2\x80\x99s that fkn simple.,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1913,10/21/2020,biden has lately disappered it sounds as 2 days break to get himself up to the debate with trump2020 . this how the schedule pace of sleepyjoe will look like if - god forbid- he become potus .,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1914,10/21/2020,biden is running for head fortune cookie \xf0\x9f\xa5\xa0,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1915,10/21/2020,biden is so gross he even kisses his granddaughter in cringeworthy ways.,United States of America,Nevada,NV,Joe Biden,0,-0.6\r\n1916,10/21/2020,biden leads trump by 7points in pennsylvania poll thehill,United States of America,Texas,TX,Joe Biden,2,0\r\n1917,10/21/2020,biden met with parkland students and this is what happened. \xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99,United States of America,Nevada,NV,Joe Biden,0,-0.1\r\n1918,10/21/2020,biden partner bevancooney moved from prison cell after providing email account exposing hunterbiden  wonder if they'll do a jeffreyepstein on him.... after all suicide is common  democrat 'relationships',United States of America,California,CA,Joe Biden,0,-0.6\r\n1919,10/21/2020,biden raising taxes will help people like me who makes under $400k instead of people like 50cents who makes over 400k.... two different tax brackets &amp; he\xe2\x80\x99s bitching i\xe2\x80\x99m not watching power anymore n*gg* we made you rich... support who supports you,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n1920,10/21/2020,biden trump vote\xc2\xa0 trending hypocrite establishment wethepeople workformyvote credit danielle wallace,United States of America,California,CA,Joe Biden,0,-0.3\r\n1921,10/21/2020,bidenharris2020 bidenharris joebiden projectlincoln maddow joyannreid nicolledwallace,United States of America,New York,NY,Joe Biden,1,0.3\r\n1922,10/21/2020,bidenharris2020landslide blacklivesmatter alyssamilano joebiden lgbtq climateaction climate climate,United States of America,Nevada,NV,Joe Biden,1,0.2\r\n1923,10/21/2020,biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb bidenharris\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb blacktwitter 50cent blacktwittermovement blacklivesmatter,United States of America,New York,NY,Joe Biden,1,0.4\r\n1924,10/21/2020,boarded up the windows so i can live in a hole like biden ahh twotter is still automatically capitalizing biden\xe2\x80\x99s name and not the potus of the usa trump look here sad \xf0\x9f\x91\x8egoogle sucks,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n1925,10/21/2020,boomsha41924076 gop realdonaldtrump trump we had to spend billions to bailout farmers due to his failed trade war with china.    jerk.    uschamber nfudc wisconsin ohio pennsylvania  erie biden aewdynamite,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n1926,10/21/2020,buzzpatterson josephproudusa yeah so why aren't the people out here looking for info being told the whole story what is being held back at this point and why biden,United States of America,South Carolina,SC,Joe Biden,0,-0.6\r\n1927,10/21/2020,can't hide forever joebiden  america wants answers,United States of America,Tennessee,TN,Joe Biden,0,-0.8\r\n1928,10/21/2020,caroline glick 'if biden's elected it'll be bad for the jews',United States of America,California,CA,Joe Biden,0,-0.7\r\n1929,10/21/2020,casting my vote today for joebiden and kamalaharris excited to do so and as nervous as i am about this election after the last 4 years i can feel myself growing cautiously optimistic almost excited at the possibility of change. bluewave2020,United States of America,North Carolina,NC,Joe Biden,1,0.5\r\n1930,10/21/2020,catsforbiden you felines cat-atonic been coughing up too many furballs you're a-paw-ling purr-haps you've not read the hunterbidenemails you gotta be kitten me you wanna be a stupid domesticated house cat fur the chinesecommunistparty\xe2\x80\x94then vote fur joebiden ya derp,United States of America,California,CA,Joe Biden,0,-0.9\r\n1931,10/21/2020,chazy went on to become editor-in-chief of what had been essential newspapers in their day and joebiden went on to become vice president. but neither forgot the other.,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n1932,10/21/2020,check out what i'm selling on mercari joebiden donaldtrump,United States of America,Wisconsin,WI,Joe Biden,0,-0.1\r\n1933,10/21/2020,children joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n1934,10/21/2020,chile please...smh vote bidenharris2020 sheready president kamalaharris joebiden,United States of America,California,CA,Joe Biden,0,-0.4\r\n1935,10/21/2020,chrislu44 nathanlerner really chris he's already giving up $450000 a month in pay. you want to get more than the $5400000 he gives a year back in pay come on biden wake-up foxnews vote maga2020,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1936,10/21/2020,christianity at it best....votehimout2020 biden,United States of America,Nevada,NV,Joe Biden,1,0.8\r\n1937,10/21/2020,chuckwoolery joe is such a good man. biden,United States of America,Massachusetts,MA,Joe Biden,1,0.6\r\n1938,10/21/2020,cnn if obama thought joebiden was a good candidate for president why did he wait until the last minute to endorse him during the primary &amp; even longer to campaign for him,United States of America,Virginia,VA,Joe Biden,0,-0.2\r\n1939,10/21/2020,cnn irrelevant this is before he was president. now joebiden on the other hand has done a lot with china and ukraine all while in office. when can we expect the news about biden. cnn bring back journalistic integrity. trump2020,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1940,10/21/2020,cnn msnbc nypost foxnews fbi unless you have the tech giants on your side and all the media justice and common sense won't see the light of day. justice realtalk trump biden,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1941,10/21/2020,commission on presidential debates announces changes for upcoming debate  via youtube biden harris democratsaredestroyingamerica packingthecourt mediabias corruptionmustend taxincreasses california 50cents trumpinalandslide,United States of America,California,CA,Joe Biden,2,0\r\n1942,10/21/2020,compare this to the insane monster currently in the white house and then go vote for joebiden,United States of America,Nevada,NV,Joe Biden,2,0\r\n1943,10/21/2020,conservatives after watching the biden samelliot ad...,United States of America,Ohio,OH,Joe Biden,0,-0.6\r\n1944,10/21/2020,could you imagine if i had a secret chinese bank account you think foxnews would have been a little concerned they would have called me beijing barry - barackobama  votebidenharristosaveamerica pa joebiden,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1945,10/21/2020,crackhead hunterbiden is the moneylaunder &amp; spy for joebiden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.7\r\n1946,10/21/2020,cthagod claiming he's voting for biden only because of kamala and her skin color. you sir are racist. i don't give a fuck about your skin color. racism comes in black too. i guess the only qualifications that matter are skin color kamalaharris charlamagne biden trump2020,United States of America,California,CA,Joe Biden,0,-0.5\r\n1947,10/21/2020,dailycaller joebiden vetting fake_republicans,United States of America,Massachusetts,MA,Joe Biden,1,0.1\r\n1948,10/21/2020,danduq00 proudsocialist dbigorion just think about that statement you mentioned for a moment. berniesanders is going to challenge joebiden after he's elected. when he needs him and progressives the least. no one functions or thinks that way in the real world. it's also not how power works.,United States of America,Maryland,MD,Joe Biden,0,-0.4\r\n1949,10/21/2020,dcexaminer gtconway3d realdonaldtrump joebiden we\xe2\x80\x99re still waiting in line for hours to vote for biden because trumpisacompletefailure,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n1950,10/21/2020,dearauntcrabby you are absolutely crazy dearauntcrabby   potus45 will turn this economy around just like he did before. joebiden will crush any hopes and dreams the american public has.,United States of America,California,CA,Joe Biden,0,-0.4\r\n1951,10/21/2020,decency and humanity in 24 seconds. we need this moving forward. joebiden bidenharris2020,United States of America,District of Columbia,DC,Joe Biden,1,0.5\r\n1952,10/21/2020,decency.  and if he were not we would have known otherwise with all the years he has been in public service. joebiden,United States of America,North Carolina,NC,Joe Biden,2,0\r\n1953,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1954,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1955,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1956,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1957,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1958,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1959,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1960,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1961,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1962,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1963,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1964,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1965,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1966,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1967,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1968,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1969,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1970,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1971,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1972,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1973,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1974,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1975,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1976,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1977,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1978,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1979,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1980,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1981,10/21/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1982,10/21/2020,democracynow triangulation is a bitch joebiden has actually been a republican sine he started his career. the whole reason obama made him his vp was to make republicans happy lmao.,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n1983,10/21/2020,devinnunes tucker carlson is digging up dirt by association. if usa senate did not convict trump in abuse of power issue with ukraine this is absolutely petty compared to ukraine scandal. biden realdonaldtrump it doesn't behoove a representative peddling such pettiness. grow up nunes,United States of America,California,CA,Joe Biden,0,-0.4\r\n1984,10/21/2020,diannaagron michaelskolnik act like you're losing until someone tells you you won biden bidenharris bidenharristosaveamerica bidenharrislandslide2020,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n1985,10/21/2020,did delaware state police tell joebiden  not to leave the state.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n1986,10/21/2020,discredited intel \xe2\x80\x9cprofessionals\xe2\x80\x9d push lie about russian interference  biden hunterslaptop,United States of America,Tennessee,TN,Joe Biden,0,-0.8\r\n1987,10/21/2020,donaldtrump is a pathological liar just like joebiden &amp; has broken almost all of his 2016 campaign promises like most politicians whether democrats or republicans; trump's idiot 'base' will got for him but he's losing independents &amp; undecided voters... neverbidennevertrump,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1988,10/21/2020,don\xe2\x80\x99t be fooled by biden\xe2\x80\x99s plan to not to raise taxes on wages under $400000.  raising taxes on corporations will cause prices to increase thus less purchasing power by the consumer dollar. joebiden there is no free lunch.,United States of America,Missouri,MO,Joe Biden,0,-0.8\r\n1989,10/21/2020,don\xe2\x80\x99t trust republicans joebiden fuckrepublicans moderate democrats liberals fightback fuckgop fucktrump fuckmaga vote progressive politicalcartoons politics supremecourtjustice feinsteinresign barretthearing,United States of America,California,CA,Joe Biden,0,-0.9\r\n1990,10/21/2020,eagleview73 who is running for president hunterbiden or joebiden who the hell is hunterbiden &amp; is he on the ticket naw so who cares about hunterbiden i\xe2\x80\x99m not voting for him it\xe2\x80\x99s a choice between biden &amp; trump. &amp; if you want to talk about criminal trump ...,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1991,10/21/2020,election2020 biden and trump differ dramatically on immigration  hr shrm bidenharris2020 trump2020 shrm shrmhrnews shrmkaylor seyfarthshawllp aaf migrationpolicy heritage immipretorius chincurtis_llp,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1992,10/21/2020,emeraldrobinson basedsavannah sure. and i\xe2\x80\x99m the queen of england.  thelaptopfromhell hunterbiden joebiden hunterbidenlaptop joebidenknew bidencorruption,United States of America,California,CA,Joe Biden,1,0.1\r\n1993,10/21/2020,enjoying this conversation with drbiden &amp; cindymccain on the importance of putting country over party this election season. annette bening is moderating a great discussion on why we need to return to civility in america. i am a republican and i am voting joebiden,United States of America,California,CA,Joe Biden,1,0.4\r\n1994,10/21/2020,every election is determined by the people who show up.trump2020 joebiden electiontwitter greatbarringtondeclaration,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1995,10/21/2020,everyone bitching about biden\xe2\x80\x99s tax plan like u cocksuckers dont already have a loophole plan to avoid it anyways shut up and get fucked merica,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1996,10/21/2020,exposegoogle cbsphilly 6abc nbcphiladelphia fox29philly phillydailynews phillyinquirer cbsnews abc nbcnews foxnews cnn msnbc nypost trump biden 2020election,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1997,10/21/2020,facebook's lead executive on election policy is former joebiden advisor on ukraine -- this helps explain their censorship of hunterbiden's emails,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1998,10/21/2020,fbi has hunter biden laptop does not believe emails tied to russia reports,United States of America,California,CA,Joe Biden,0,-0.7\r\n1999,10/21/2020,fbi has taken possession of hunter biden's laptops and has confirmed authenticity   via mailonline,United States of America,California,CA,Joe Biden,1,0.3\r\n0,10/21/2020,fdrlst i\xe2\x80\x99m quidproquojoe biden of the bidencrimefamiily,United States of America,Illinois,IL,Joe Biden,2,0\r\n1,10/21/2020,finally got a new sign. my last one was stolen. rvat2020 joebiden,United States of America,Rhode Island,RI,Joe Biden,2,0\r\n2,10/21/2020,fla and pa are too close . biden win is not inevitable.  biden,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n3,10/21/2020,floridaforbiden joebiden speakerpelosi please address this,United States of America,Massachusetts,MA,Joe Biden,0,-0.6\r\n4,10/21/2020,flyer1618 there are only a couple of plausible explanations for the laptopfromhell...and none of them look good for either joebiden or hunterbiden,United States of America,Alabama,AL,Joe Biden,0,-0.8\r\n5,10/21/2020,for starters this is ridiculous. dr. fauci is the 1 infectious diseases expert in the nation if not the world. he doesn't need to audition for anybody his gig is saving lives. c'mon boss gwblibrary please  endorse biden. think how many lives you'd help save 4bid3n,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n6,10/21/2020,former president barackobama is campaigning for joebiden this evening in philadelphia - - the next 13 days \xe2\x80\x9cwill matter for decades to come\xe2\x80\x9d he says election2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n7,10/21/2020,former president barackobama to hold drive-in car rally at south philly sports complex for joebiden campaign bidenharris2020 \xe2\x80\x93 cbs philly,United States of America,New York,NY,Joe Biden,0,-0.1\r\n8,10/21/2020,former president obama on the trail for joebiden in philadelphia speaking publicly for first time unloading on president trump for everything from \xe2\x80\x9cignoring\xe2\x80\x9d the pandemic to paying $750 in taxes as less than he did when he scooped ice cream at his first job.,United States of America,California,CA,Joe Biden,0,-0.5\r\n9,10/21/2020,geeksgamerscom craaazy no body can say ish blm masks trump joebiden fightback politics bluecheckmark corruption,United States of America,California,CA,Joe Biden,0,-0.8\r\n10,10/21/2020,go from there | joe biden for president 2020   powerful message from a most recognizable voice. biden,United States of America,Oregon,OR,Joe Biden,1,0.4\r\n11,10/21/2020,gop gop grasping.  trumps a massive failure.   jobs climate trade ohio biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n12,10/21/2020,gop realdonaldtrump trumppence2020 definitely did a lot more crimes in 47 months than biden did in 47 years. congratulations on draining the swamp...jackasses,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n13,10/21/2020,gregoryvond chuckwoolery joe is such a good man. biden,United States of America,Massachusetts,MA,Joe Biden,1,0.6\r\n14,10/21/2020,gross. desperation. biden where\xe2\x80\x99s hunter,United States of America,New York,NY,Joe Biden,0,-0.5\r\n15,10/21/2020,happy birthday to the future vice president  kamala joe2020 joebiden biden2020,United States of America,Indiana,IN,Joe Biden,1,0.9\r\n16,10/21/2020,hard to do better than having barack obama speaking for you on the campaign trail the very best. biden/harris \xf0\x9f\x8e\x89\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x8e\x89,United States of America,Texas,TX,Joe Biden,1,0.4\r\n17,10/21/2020,hard-hitting questions like this from his media partners will await biden if he wins. nytimes jeff zeleny asks obama if he's enchanted,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n18,10/21/2020,health care should be a human right not a luxury joebiden has a plan for affordable prescription drugs  health care coverage for everyone and all preexistingconditions protections. votehealth,United States of America,New York,NY,Joe Biden,2,0\r\n19,10/21/2020,heatheriam23 definitely cringe-worthy don't forget kamala drug biden through the mud a few months ago before she was put on the ticket maga,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n20,10/21/2020,hey media hacks... don\xe2\x80\x99t bring up biden and courtpacking again not one more time. vote scotus acb voteouteveryrepublican,United States of America,New York,NY,Joe Biden,0,-0.1\r\n21,10/21/2020,hey realdonaldtrump tell us again how joebiden is owned by china.. chinaownstrump trumpchinabankaccount projection,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n22,10/21/2020,hi benny did you see the report of donaldtrump\xe2\x80\x99s undisclosed business bank account in china that paid $188561 in taxes to chins while trump paid no taxes in the usa or trump\xe2\x80\x99s 5 other chinese accounts now tell me again how joebiden \xe2\x80\x98sold\xe2\x80\x99 america to china,United States of America,California,CA,Joe Biden,0,-0.6\r\n23,10/21/2020,hilarious. 50cent is voting for presidenttrump because he knows the biden tax plan will make him \xe2\x80\x9c20cent\xe2\x80\x9d \xf0\x9f\xa4\xaa.,United States of America,Texas,TX,Joe Biden,1,0.4\r\n24,10/21/2020,honestly biden needs to win for the sake of this country that we all love,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n25,10/21/2020,how can it be improper if it was done to trump... by biden's administration,United States of America,Indiana,IN,Joe Biden,0,-0.6\r\n26,10/21/2020,how can we stop these sleazydemocrats from stealing this election fakevotes mailinfraud will 100\xe2\x80\x99s of thousands of votes for joebiden magically appear on november 10,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n27,10/21/2020,hunter biden's laptop probe referred to fbi delaware state police say  hunterbiden hunterbidenemails joebiden,United States of America,California,CA,Joe Biden,0,-0.3\r\n28,10/21/2020,hunterbiden is jeffreyepstein  just wait underage girls crack beating his dead brothers wife. biden is a piece of shit who will take down old joebiden and his whole team of media hacks no defense of this biden - real dirty family. jeffreytoobin is just one of these cnn,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n29,10/21/2020,hunterslaptop biden trump2020tosaveamerica,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n30,10/21/2020,i am voting for joebiden this man needs to be the potus to heal this country.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n31,10/21/2020,i can\xe2\x80\x99t stop watching this. the tears on my cheeks is a reflection of how badly we need compassion humanity and love in the people\xe2\x80\x99s house once again joebiden bidenharris,United States of America,Oregon,OR,Joe Biden,2,0\r\n32,10/21/2020,i don\xe2\x80\x99t have to see eye to eye on every policy nor do i have to agree with every political position...but when you show a genuine regard for all humanity...i want you as my leader. period. joebiden,United States of America,Illinois,IL,Joe Biden,2,0\r\n33,10/21/2020,i dropped my ballot for joebiden at the post office yesterday. won't you consider casting your vote for him too vote2020 \xf0\x9f\x97\xb3 p.s. sam elliott\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbb,United States of America,Oklahoma,OK,Joe Biden,0,-0.1\r\n34,10/21/2020,i feel that hug. i feel it from the young man and i feel it from our next president joebiden,United States of America,Oregon,OR,Joe Biden,1,0.7\r\n35,10/21/2020,i had forgotten what a real president sounds like. barackobama biden bidenharrislandslide2020 bidenharris2020 bidenharris2020tosaveamerica bidenharris votelikeyourlifedependsonit voteblue,United States of America,Georgia,GA,Joe Biden,2,0\r\n36,10/21/2020,i have been hiding from covid19 i have had a major heart attack died i have copd on election day...i will vote i will vote to save democracy for my grandchildren trump is everything wrong please vote or biden vote for a democratic senate,United States of America,Georgia,GA,Joe Biden,0,-0.7\r\n37,10/21/2020,i hear about how if the gop loses the senate there'll be no one left 2 investigate the bidens &amp; the ukraine. i suspect the same operatives who pushed so hard 2 get kamalaharris on the ticket will push even harder 2 get biden investigated so they can speed her ascent to potus.,United States of America,Arizona,AZ,Joe Biden,0,-0.5\r\n38,10/21/2020,i love black. go and stream lostresorttbs on tbsnetwork icecube biden cardib vote trump troubleman lilbaby lostresort tbs,United States of America,Illinois,IL,Joe Biden,1,0.4\r\n39,10/21/2020,i love my job \xf0\x9f\x92\x99\xf0\x9f\x92\x99 obamaforlife joebiden joebiden2020,United States of America,Utah,UT,Joe Biden,1,0.9\r\n40,10/21/2020,i love potus44 he is unbelievable joebiden and obama made this country great i felt safe and protected during their administration. biden will bring that back.bidencoalition bidenbelieves bidenharris2020landslide bluewave2020,United States of America,Florida,FL,Joe Biden,1,0.5\r\n41,10/21/2020,i love that this aaron guy is dumb enough to push out this short clip that actually sums up exactly what joebiden has been doing as the president was rebuilding our economy.  it's not irony aaron.  it's truth.  something vox isn't used to.,United States of America,Texas,TX,Joe Biden,1,0.1\r\n42,10/21/2020,i love this. i don't know who this funeral is for someone please share but i feel like this kid represents every single one of us right now. we are not okay. vote2020 joebiden,United States of America,New York,NY,Joe Biden,1,0.1\r\n43,10/21/2020,i love you joebiden let\xe2\x80\x99s go bidenharris joebiden,United States of America,New York,NY,Joe Biden,1,0.9\r\n44,10/21/2020,i'm proud and excited to have already voted for this gentle and decent man joebiden.,United States of America,Texas,TX,Joe Biden,1,0.9\r\n45,10/21/2020,i'm voting for joebiden today.,United States of America,South Carolina,SC,Joe Biden,1,0.1\r\n46,10/21/2020,i'm watching president obama on television. his delivery both inspires and lets me relax. i miss him and i miss feeling like that. vote biden/harris 2020.,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n47,10/21/2020,if corrupt democrat politicians successfully cheat and biden becomes president america will become a lawless slum and hellhole. democratsaredestroyingamerica democratslieandmanipulate democratsareadisgrace trump2020tosaveamerica trump2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Joe Biden,0,-0.2\r\n48,10/21/2020,if joebiden is good enough for wade garrett sam elliott to voice a commercial for then he\xe2\x80\x99s good enough for me biden bidenharris,United States of America,Nevada,NV,Joe Biden,1,0.6\r\n49,10/21/2020,if joebiden wins the 2020election democrats say he will need to repair the damage the trump administration has done to the bureaucratic machinery in washington as well as low morale throughout the civil service.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n50,10/21/2020,if you are a democrat and you voted for joebidenand kamalaharris already you should go out and blow the horn on as this is how we do things in the day of coronavirus&amp; this way barackobama knows you are paying attention to his speech.,United States of America,Indiana,IN,Joe Biden,1,0.2\r\n51,10/21/2020,if you keep taking subjects off the table what is the point of a debate these are real topics stop protecting biden he is a criminal. the american people have a right to know debates2020  votered,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n52,10/21/2020,imagine the orange turd doing this. biden,United States of America,Florida,FL,Joe Biden,2,0\r\n53,10/21/2020,in case you were wondering jeffrey toobin\xe2\x80\x98s penis made more public appearances in the past week than biden.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n54,10/21/2020,in his recent interview of petebuttigieg political host briantylercohen gets to the very essence of bidenforpresident he'd be taking over a country in mourning ... and so much of joebiden's identity is predicated on the humbling experience of loss.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n55,10/21/2020,is there an over/under yet on whether or not joebiden will opt out of participating in the debates2020 before tomorrow night there should be.,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n56,10/21/2020,it's a blessing for antiracism. wednesdaywisdom most people 100 and above are voting for joebiden it the 60 year olds that believe that the racistness in their wealth will save them their profits. covid_19 remember is serious. joewillleadus voteblue,United States of America,Wisconsin,WI,Joe Biden,1,0.1\r\n57,10/21/2020,it's a good thing the house didn't catch on fire hunter biden joe burisma emails laptop biden crackinducedcoma forgot to take the pipe out trump maga kag,United States of America,Florida,FL,Joe Biden,1,0.1\r\n58,10/21/2020,its cute when they talk about biden lying.  hilarious  nice try mattgaetz  losing,United States of America,Washington,WA,Joe Biden,1,0.5\r\n59,10/21/2020,it\xe2\x80\x99s official with much more to come hunter biden,United States of America,North Carolina,NC,Joe Biden,1,0.2\r\n60,10/21/2020,iupat dc 11 helped make 100\xe2\x80\x99s of calls tonight to swing state voters to help get out the vote. we are going to get rid of trump and we mean business joebiden americaneedsbiden bidenharristosaveamerica 1u,United States of America,Rhode Island,RI,Joe Biden,2,0\r\n61,10/21/2020,i\xe2\x80\x99m 23 and have 50k in student loan debt and joebiden said he has \xe2\x80\x9cno empathy\xe2\x80\x9d for the younger generation. i\xe2\x80\x99m supposed to vote for that guy,United States of America,Virginia,VA,Joe Biden,0,-0.6\r\n62,10/21/2020,i\xe2\x80\x99ve already vote for joebiden and kamalaharris,United States of America,New York,NY,Joe Biden,1,0.1\r\n63,10/21/2020,jackposobiec lmao.  there\xe2\x80\x99s nobody there looking like a wanna be ellendegeneres .  biden will last 7 mos.  i can\xe2\x80\x99t see her as president.  she\xe2\x80\x99s a flip flopper and lies. vote election bidenharris2020landslide hope not,United States of America,New York,NY,Joe Biden,0,-0.4\r\n64,10/21/2020,jaketapper barksforbiden looks like clementine is all in for joebiden barksforbiden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n65,10/21/2020,jaredleto i\xe2\x80\x99ll vote for that camera to angle down a bit more \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 biden/harris vote,United States of America,Kansas,KS,Joe Biden,1,0.2\r\n66,10/21/2020,jasonlemon nytimes seriously..illegally gotten tax returns the nytimes reports on but won't report on paytoplay quidprojoe. btw you didn't mention trump was a private citizen businessman prior to jan 2017 &amp; has divested himself from his business. unlike joebiden who invested himself while vp.,United States of America,Georgia,GA,Joe Biden,0,-0.5\r\n67,10/21/2020,jessewatters fox news there you go again liar misconstruing those pesky little things called factsjoebiden said he's not going to raise taxes i believe it&amp; nobody cares what you believe. foxnews fire your liars they are not  not allowed to make up their own truth.,United States of America,Indiana,IN,Joe Biden,0,-0.8\r\n68,10/21/2020,joe biden is winning the catholic vote by 12 points 52%-40% over donald trump ewtn-realclear opinion poll finds  via theweek catholics vote election2020 biden trump,United States of America,Missouri,MO,Joe Biden,1,0.1\r\n69,10/21/2020,joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n70,10/21/2020,joebiden,United States of America,Colorado,CO,Joe Biden,1,0.3\r\n71,10/21/2020,joebiden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n72,10/21/2020,joebiden claims to be the kid from scranton but he\xe2\x80\x99s the puppet for park avenue rich and elite as he raises hundreds of millions from wealthy,United States of America,Illinois,IL,Joe Biden,0,-0.5\r\n73,10/21/2020,joebiden empathy let's go america.,United States of America,Connecticut,CT,Joe Biden,0,-0.4\r\n74,10/21/2020,joebiden has been compromised  by foriegn governments and is a national security risk. he is no longer qualified to be potus.,United States of America,North Carolina,NC,Joe Biden,0,-0.8\r\n75,10/21/2020,joebiden has the heart out nation needs. petebuttigieg,United States of America,Wisconsin,WI,Joe Biden,1,0.5\r\n76,10/21/2020,joebiden is vetting jeffflake &amp; johnkasich for cabinet positions. \xf0\x9f\x98\xb3 deadlinewh,United States of America,Michigan,MI,Joe Biden,1,0.1\r\n77,10/21/2020,joebiden kamalaharris keep the pressure on.  don't stop.  hit philly hard.  get the vote out.  increase the margins.,United States of America,Texas,TX,Joe Biden,2,0\r\n78,10/21/2020,joebiden looks funny running those 6 feet sprints coming off the plane haha,United States of America,Texas,TX,Joe Biden,1,0.6\r\n79,10/21/2020,joebiden ournextpresident,United States of America,Washington,WA,Joe Biden,1,0.3\r\n80,10/21/2020,joebiden plse look deeper or watch americasforgotten... i investigated this around the world for a year and undoing immigration measures is a bad idea for america and the world,United States of America,California,CA,Joe Biden,0,-0.2\r\n81,10/21/2020,joebiden said that there is \xe2\x80\x9cno basis\xe2\x80\x9d for the claim that his son hunterbiden profited from allegedly arranging access to his father while he served as vice president.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n82,10/21/2020,joebiden was courting earlyvoters in northcarolina on sunday. biden accused president trump of giving investors on wallstreet a heads up in the earlier stages of the pandemic but not the american people.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n83,10/21/2020,joebiden.,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n84,10/21/2020,jofunseth belgarionsblade rebelrising2020 im sorry bc they have the most blackmail on him bidenharrislandslide2020 biden democrats puppetregime,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n85,10/21/2020,john paul macisaac owner of the macshop in wilmington recalled how in april 2019 a man who identified himself as hunter biden brought three liquid-damaged laptops to his small repair shop in the trolley square shopping center. meet delaw pc repair,United States of America,California,CA,Joe Biden,2,0\r\n86,10/21/2020,joncoopertweets joebiden omg  this right leaning paper endorses biden. what does that tell you,United States of America,Texas,TX,Joe Biden,1,0.2\r\n87,10/21/2020,jones day lawyers who earned millions as outside counsel to trump\xe2\x80\x99s re-election campaign donated ~$90k to the campaign committee of joebiden. contributions to the trump campaign by jones day lawyers totaled just $50 records show-cnn \xf0\x9f\x98\x82 votebluedownballot bidenharris \xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Joe Biden,2,0\r\n88,10/21/2020,just passing the oldest\xe2\x80\x99s room and heard \xe2\x80\x9c and that\xe2\x80\x99s why i need you to vote for joebiden and kamalaharris . can you commit to me right now\xe2\x80\x9d  breaking down why this election is so important outside the candidate himself \xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5  this kid \xf0\x9f\x92\x99\xf0\x9f\x92\x99 jckermovie,United States of America,Nevada,NV,Joe Biden,0,-0.2\r\n89,10/21/2020,jvgraz i mean honestly we are not.  according to the rest of the world most of most of our positions are centrist.   biden would likely be considered a fascist in many countries by their left parties.,United States of America,Wisconsin,WI,Joe Biden,0,-0.2\r\n90,10/21/2020,kind and compassionate biden,United States of America,New York,NY,Joe Biden,1,0.9\r\n91,10/21/2020,king_of_shade act like you're losing until someone tells you you won biden bidenharris bidenharristosaveamerica bidenharrislandslide2020,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n92,10/21/2020,kwelkernbc mrs. welker please ask biden about hunterbidenemails . you cannot call yourself fair and impartial if you do not. we all know you are a democrat . that's fine but do america fair because the both side want to know we joebiden thinks.,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n93,10/21/2020,laptopfromhell joebiden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n94,10/21/2020,lara trump mocks stuttering \xf0\x9f\x98\xa1\xf0\x9f\x98\xa1\xf0\x9f\x98\xa1 this is awful please retweet to help educate trump biden debate president istutter stuttering awareness educate stamily,United States of America,New York,NY,Joe Biden,0,-0.8\r\n95,10/21/2020,last night i was called a f**got and told that i look like i am on meth i\xe2\x80\x99m actually sober by joebiden supporters. remember when they called berniesanders supporters 'toxic' it was projection~ryan knight proudsocialist,United States of America,New York,NY,Joe Biden,0,-0.7\r\n96,10/21/2020,let moscowmitch &amp; senate gop kill coronavirus stimuluspackage mitchmcconnell scuttling it helps joebiden &amp; hurts \xe2\x81\xa6senategop\xe2\x81\xa9 up for re-election.  \xe2\x81\xa6senatemajldr\xe2\x81\xa9 needs to decide what\xe2\x80\x99s more important the american people or scotus,United States of America,California,CA,Joe Biden,0,-0.2\r\n97,10/21/2020,letsgetserious bidencoverup hunterbiden joebiden 2020election trump2020 4moreyears maga2020 \xf0\x9f\x91\x8a\xf0\x9f\x8f\xbb carryon,United States of America,California,CA,Joe Biden,1,0.4\r\n98,10/21/2020,let\xe2\x80\x99s see them suspend this account for spreading truth about joebiden trumptrain  they can\xe2\x80\x99t censor all of us or can they  bostonhiphop skinners,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n99,10/21/2020,maddow cnn msnbc msm please be smart when reporting about this. vote election2020 fbi presser ratcliffe wray biden trump,United States of America,California,CA,Joe Biden,0,-0.2\r\n100,10/21/2020,majorcbs jasonnichols14 clarehymes22 cbsnews dni_ratcliffe fbi the corroborated email where payoffs are listed including h holding 10 for thebigguy would indicate china has something on biden. can you trust him not to give away the store again will you be giving airtime to this or bury it,United States of America,New York,NY,Joe Biden,0,-0.4\r\n101,10/21/2020,man accused of threatening to kidnap and kill biden harris  wftv,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n102,10/21/2020,mayor ted wheeler warns portland risks for post-election unrest    \xe2\x80\xa6 portland orpol portlandpolice portlandprotests portlandriots tedwheeler sarahiannarone trump biden election2020 oregon protests blm,United States of America,Oregon,OR,Joe Biden,0,-0.5\r\n103,10/21/2020,me and my wife just mailed in our ballots. we\xe2\x80\x99re proudly voting democrat across the board. here we go democrat liberal biden,United States of America,Washington,WA,Joe Biden,2,0\r\n104,10/21/2020,me too. folks the choice is clear. you can either vote for this real man in the video or the most disgusting and immoral human on the planet. joebiden bidenharris because decency and compassion and love counts and it will save us.,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n105,10/21/2020,meiselasb this brought such tears to my eyes. biden must be our next president.,United States of America,Nevada,NV,Joe Biden,2,0\r\n106,10/21/2020,melbrooks is the best. vote joebiden,United States of America,New York,NY,Joe Biden,1,0.6\r\n107,10/21/2020,michaelgreen444 nan0werx breaking911 nfl jaguars ...but the best is this clip of joebiden on 9/10/2001 speaking about bush's infatuation with an unproven missle defense system &amp; describing the type of attack that would occur the very next day. this is how democrat presidents avoid catastrophe while the gop walks into them.,United States of America,California,CA,Joe Biden,2,0\r\n108,10/21/2020,mollyjongfast act like you're losing until someone tells you you won biden bidenharris bidenharristosaveamerica bidenharrislandslide2020,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n109,10/21/2020,morningmika i cry every time i watch this. our country needs and deserves this empathetic leader.  joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n110,10/21/2020,mrsdurkinmuses realdonaldtrump joebiden ivankatrump all you never trump people keep screaming this into the void. nobody cares. the real story is that hunterbiden  was a bag man for joebiden. joe is a traitor and made a fortune selling out the american people he was elected to represent,United States of America,California,CA,Joe Biden,0,-0.3\r\n111,10/21/2020,muslim voters breaking from biden&amp;8230;backing trump  2020 2020election donaldtrump joebiden via jakepalmieri,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n112,10/21/2020,my response to tariqnasheed top 5 reasons black people should not vote for biden  via youtube,United States of America,Maryland,MD,Joe Biden,0,-0.7\r\n113,10/21/2020,natashabertrand i have an idea let\xe2\x80\x99s elect a president who will be president of the entire country. joebiden,United States of America,Minnesota,MN,Joe Biden,1,0.1\r\n114,10/21/2020,need a reason to vote for joe biden how about he was a cutie this is my kinda joe's six-pack bidenharris2020 votefordaddy joebiden lawdhavemercy vote brownbaggingit byob lesbianforbiden womenforbiden,United States of America,New York,NY,Joe Biden,1,0.4\r\n115,10/21/2020,new joebiden campaign slogan keep kids home. keep kids depression rates high.,United States of America,Arizona,AZ,Joe Biden,2,0\r\n116,10/21/2020,new photo shows hunter biden\xe2\x80\x99s indicted business partner meeting with joe biden in his vp office  hunterbiden  hunterbidenemails biden,United States of America,California,CA,Joe Biden,2,0\r\n117,10/21/2020,newsstand joebiden covers the latest issue of rollingstone magazine \xf0\x9f\x97\xb3 \xe2\x80\xa2swipe\xe2\x80\xa2 hhucit,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n118,10/21/2020,no surprise the media is in the tank for biden bunch of liberal activist hacks masquerading as journalists cnn cnnfakenews,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n119,10/21/2020,nobody is trying to play survivor and grow crops - pass the bill stimulus republicans democrats mcconnell pelosi congress trump biden passthebill corn wallstreet farmers,United States of America,Pennsylvania,PA,Joe Biden,0,-0.6\r\n120,10/21/2020,norma cartoon vote votehimout joebiden biden bidenharris2020  bidenharris change,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n121,10/21/2020,now there's a man with an open mind - you can feel the breeze from here.-groucho marx on joe biden. joebiden election2020 debates2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.6\r\n122,10/21/2020,nowthisnews omg i've missed him  obamawasbetterateverything so let's get rid of trumpcorruption and elect joebiden with similar values and decency.  votebluetoendthisnightmare,United States of America,Georgia,GA,Joe Biden,2,0\r\n123,10/21/2020,nydailynews penngse jonathon zimmerman &amp; nydailynews are both saying they smoke crack and masturbate in front of others.   how stupid could you be to write this crap  metoo cnn cnnisfakenews bidenharris2020landslide biden jeffreytoobin jeffreytoobinsdick,United States of America,California,CA,Joe Biden,0,-0.7\r\n124,10/21/2020,obama is out of fuck to give. this pa rally is probably my favorite moment of this whole election cycle. bidenharris2020 biden obama,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n125,10/21/2020,oggi su domanieditoriale scrivo di joe biden lo sfidante di trump. chi \xc3\xa8 veramente biden \xc3\xa8 solo l\xe2\x80\x99anti-trump o piace a prescindere dalla impopolarit\xc3\xa0 del presidente americanelection joebiden  manhattan new york,United States of America,New York,NY,Joe Biden,0,-0.3\r\n126,10/21/2020,oh man...pres. obama is killing  it right  now in pa boss barackobama obama \xf0\x9f\x99\x8c\xf0\x9f\x99\x8c\xf0\x9f\x99\x8c\xf0\x9f\x98\x8e\xf0\x9f\x92\xaa\xf0\x9f\x92\x99biden joebiden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n127,10/21/2020,ohiostate; thebattle; theemperor...4 trump n all; since nancypelosi n thedemocrats r spoiled just wait it's only 2 weeks n if you lose then thedemocrats will have that hugeproblem of renters losing their lands n businesses losing their gold n biden losing votes..,United States of America,Ohio,OH,Joe Biden,0,-0.8\r\n128,10/21/2020,omg.  mel brooks is endorsing joebiden  what on earth will i do now  oh yeah voting trump2020.  these hollywood types live in such a bubble.  they really think this is gonna help biden  really,United States of America,Texas,TX,Joe Biden,2,0\r\n129,10/21/2020,our office has created policy tables that compare the trump administration\xe2\x80\x99s approach to immigration during his time in office to biden's proposed policies. make sure you vote this november. should you have any questions or concerns reach out to our office. greenspiegelus,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n130,10/21/2020,out on the campaign trail in support of democratic presidential nominee joebiden and vp nominee kamalaharris - potus44 is firing them up in philadelphia watch\xf0\x9f\x91\x87,United States of America,Maryland,MD,Joe Biden,0,-0.3\r\n131,10/21/2020,parkland biden,United States of America,Tennessee,TN,Joe Biden,1,0.3\r\n132,10/21/2020,pattonoswalt wolffiewolf the job of potus is serious business. not a reality show. we do not need to be entertained by the potus. we just need someone honest decent moral sane and empathetic. joebiden bidenharris2020,United States of America,California,CA,Joe Biden,0,-0.3\r\n133,10/21/2020,paulfassio bluemangos gamgeegirl nytimes if it takes biden a whole week to prepare for a debate he\xe2\x80\x99s not ready to be president.,United States of America,California,CA,Joe Biden,0,-0.7\r\n134,10/21/2020,pennsylvania we need you to stand up for america with us. i promise joebiden  will unite us and improve our lives. your taxes will not go up. he is not coming for your guns. joe will bring us sanity.,United States of America,New York,NY,Joe Biden,1,0.1\r\n135,10/21/2020,people if you live in florida please vote. the margin to close on trump is shrinking. i voted4biden &amp; please do so also. we need civility back in the ovaloffice. don\xe2\x80\x99t trust the polls if they say biden is winning. cast your vote anyway and make your choice.,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n136,10/21/2020,pgreenberger pgreenberger realdonaldtrump is going to wipe joebiden and all his hidden agendas. potus will beat joe biden and hold all those accountable who fcked usa you been indexed,United States of America,Colorado,CO,Joe Biden,0,-0.2\r\n137,10/21/2020,picture says a thousand words doesn\xe2\x80\x99t corn pop joe.  joebiden trump2020,United States of America,Missouri,MO,Joe Biden,0,-0.1\r\n138,10/21/2020,plecnik ohiogop is no better than dems putting biden on ballot. integritylost luciferianworld of freemasonryfavors with easternstarpawns,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n139,10/21/2020,plz streetphotography joebiden vote2020 oakland,United States of America,California,CA,Joe Biden,2,0\r\n140,10/21/2020,poll two-thirds of voters support biden climate plan \xe2\x81\xa6thehill\xe2\x81\xa9 biden bidenharris climatechange environment cleanenergy greenjobs publichealth sustainability \xe2\x81\xa6cleanairmoms\xe2\x81\xa9 \xe2\x81\xa6lcvoters\xe2\x81\xa9 \xe2\x81\xa6uspirg\xe2\x81\xa9 \xe2\x81\xa6futurecoalition\xe2\x81\xa9,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n141,10/21/2020,projectlincoln it sure would bring on biden,United States of America,Colorado,CO,Joe Biden,1,0.2\r\n142,10/21/2020,rather than made in china joebiden has been bought by china.,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n143,10/21/2020,real biden,United States of America,District of Columbia,DC,Joe Biden,1,0.5\r\n144,10/21/2020,realdonaldtrump another terrific political ad for vice-president biden the abject ineptitude ignorance &amp; vulgarity that drips like tar from trump\xe2\x80\x99s mouth with every utterance still stuns a nation grappling for stability. potus\xe2\x80\x99s closing argument is a plea for pity.,United States of America,California,CA,Joe Biden,0,-0.7\r\n145,10/21/2020,realdonaldtrump babytrump trumpisnotwell trumpisaloser biden,United States of America,Tennessee,TN,Joe Biden,1,0.3\r\n146,10/21/2020,realdonaldtrump biden is going to win and everyone knows it.  if the market was going to crash under biden it would start now.,United States of America,Missouri,MO,Joe Biden,2,0\r\n147,10/21/2020,realdonaldtrump breitbartnews .is not hunter biden  ... sir vp biden is taking money from hunter biden things  if so he can not be president of usa,United States of America,Hawaii,HI,Joe Biden,0,-0.8\r\n148,10/21/2020,realdonaldtrump breitbartnews obama was awesome. joebiden,United States of America,Florida,FL,Joe Biden,1,0.6\r\n149,10/21/2020,realdonaldtrump breitbartnews realdonaldtrump must answer questions about chinese bank account 750 dollars in taxes paid 545 orphans because of you fake health care plan blank pages attacks on women 130k payment to a porn star.... trumpchinabankaccount trumpcrimefamily biden,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n150,10/21/2020,realdonaldtrump he can take all my money i just want peace not chaos. i want all my fellow americans to be healthy and happy. that means voting for joebiden votebidenharristosaveamerica votebidenharristoendthisnightmare,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n151,10/21/2020,realdonaldtrump if trump had his money in an irish bank &amp; a chinese bank in what way is he enacting an americafirst agenda owing 400 million dollars to foreign lenders is a bit fishy too. let me weigh my republican options &amp; vote for the moderate and honest joebiden,United States of America,California,CA,Joe Biden,0,-0.3\r\n152,10/21/2020,realdonaldtrump only if you make more than $400000. it will help rebuild our crumbling infrastructure lower the ballooning debt you created and help begin closing the unsustainable wealth gap. we see you. we support joebiden. joebidenkamalaharris2020,United States of America,Virginia,VA,Joe Biden,1,0.1\r\n153,10/21/2020,realdonaldtrump shhhhh... obama rallies for biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n154,10/21/2020,realdonaldtrump stevekalayjian varneyco vote joebiden,United States of America,Utah,UT,Joe Biden,1,0.2\r\n155,10/21/2020,realdonaldtrump take a look. this is what a real leader is. this is what a real leader says. this is what a real leader does. thank you joebiden  we will buildbackbetter with biden. oh and byedon - don't let the door hit you on the way out.,United States of America,Texas,TX,Joe Biden,1,0.4\r\n156,10/21/2020,realdonaldtrump too bad you weren\xe2\x80\x99t like obama. he was the best. you are the worst. joebiden,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n157,10/21/2020,realdonaldtrump \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 dude take a shower. i can smell your desperation flop sweat all the way here in california. biden cares about regular americans. he will protect our health care social security &amp; more. he\xe2\x80\x99ll make sure billionaires &amp; corporations pay their fair share. he\xe2\x80\x99ll beat covid.,United States of America,California,CA,Joe Biden,0,-0.1\r\n158,10/21/2020,realjameswoods swampthing wont make year one. huntergate is obvious. joebiden sold out america and has lied a million times already. joeiscompromised joebiden,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n159,10/21/2020,reasons to vote for joe  biden2020 joebiden biden vote,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n160,10/21/2020,reasons to vote for joe  biden2020 joebiden biden vote,United States of America,Maine,ME,Joe Biden,1,0.3\r\n161,10/21/2020,remember what it was like when we had a real president i do. i'm watching him now speaking fire in philly. obamainphilly obamawasbetterateverything trumpisanationaldisgrace biden bidenharrislandslide2020,United States of America,Georgia,GA,Joe Biden,2,0\r\n162,10/21/2020,republicans have commercials showing joebiden saying he\xe2\x80\x99ll raise taxes. unfortunately they cut off the end of his sentence where he says if you make over 4hundredthousanddollars a year. people making almost 1/2 a million dollars a year can pay more taxes,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n163,10/21/2020,revwadegriffith if you believe biden is light you must be a servant of satan instead of god. hell he is a russian and chinese agent. try doing some honest research instead of news from cnn- certified nuts network,United States of America,Colorado,CO,Joe Biden,0,-0.7\r\n164,10/21/2020,robertmaguire_ chrislhayes the entire trump family belongs in jail vote bidenharristosaveamerica joebiden kamalaharris erictrump - you have 13 days of freedom before you\xe2\x80\x99re all locked up,United States of America,California,CA,Joe Biden,0,-0.7\r\n165,10/21/2020,rudygiuliani just ended joebiden's campaign  via youtube,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n166,10/21/2020,russiahoax biden hunterslaptop,United States of America,Tennessee,TN,Joe Biden,1,0.3\r\n167,10/21/2020,russian leader vladimirputin is hoping to work with joebiden saying there are shared values between democrats and communism,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n168,10/21/2020,sam elliot was probably partly motivated by the many conservatives memes that attempted portray him as the champion of heartless assholes everywhere. well his honey dipped country voice has spoken and joe biden approves his message. samelliot joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n169,10/21/2020,sam elliott doing his thedude routine. worked for thebiglebowski works for joebiden. vote votebluedownballot,United States of America,California,CA,Joe Biden,1,0.1\r\n170,10/21/2020,sam elliott never hurts to have narrating \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 joebiden,United States of America,Georgia,GA,Joe Biden,1,0.7\r\n171,10/21/2020,saveamerica206 hopefully on thursday when biden debates the narcissist some people will be pulled towards the truth trump loses points each time he\xe2\x80\x99s on the major networks. so i predict bidenwonthedebate wearamask votebluetosaveamerica,United States of America,Michigan,MI,Joe Biden,0,-0.3\r\n172,10/21/2020,science joebiden,United States of America,Nevada,NV,Joe Biden,2,0\r\n173,10/21/2020,scottmstedman devincow this could make for an interesting topic of conversation during some type of televised discussion maybe thursday night.  what do you think realdonaldtrump  how about you joebiden  kwelkernbc hmmm,United States of America,California,CA,Joe Biden,0,-0.2\r\n174,10/21/2020,see if you can get through this video clip w/o getting a little teary eyed. biden,United States of America,Maryland,MD,Joe Biden,1,0.1\r\n175,10/21/2020,sentedcruz twitter facebook nypost what favors do facebook google &amp; twitter executives expect in exchange for censoring stories on biden\xe2\x80\x99s many problems tax loopholes access to government contracts help gaining access to china trump\xe2\x80\x99s corruption may be more obvious but all corruption hurts us society.,United States of America,California,CA,Joe Biden,0,-0.8\r\n176,10/21/2020,several years ago when i was editorial page editor of the patriotledger my boss and dear friend chazy dowaliby told me how she had been joebiden\xe2\x80\x99s comms directer when he was first elected to the senate. she was there during his worst days too. joebiden,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n177,10/21/2020,she was there when a car accident took his wife and baby girl and left his boys injured. chazy marveled at joebiden\xe2\x80\x99s strength.,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n178,10/21/2020,since october 12 the trump and biden campaigns have spent equally on youtube each spending upwards of $14 m. when it comes to paid social investments trump has owned the facebook landscape while biden has gone all in on instagram.,United States of America,California,CA,Joe Biden,0,-0.2\r\n179,10/21/2020,since the hunterbiden story is so popular do you think biden should alert americans to the unlawful profiteering of ivankatrump erictrump donaldjtrumpjr  in thursday's debates2020  one secured patents from china while on official biz ones being deposed by nys and more.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n180,10/21/2020,so apparently joebiden likes to sniff little girls hair and his son likes to walk around in front of them while naked.,United States of America,Arizona,AZ,Joe Biden,0,-0.9\r\n181,10/21/2020,so it\xe2\x80\x99s not biden who is tied to china but it s guess who.  yes it\xe2\x80\x99s trump everything  he says is projection. remember that realdonaldtrump so much for maga he\xe2\x80\x99s all into china and russia.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n182,10/21/2020,so much pain in my heart knowing my family had planned to visit the motherland for the first time in my life this past july and now i don\xe2\x80\x99t know when i will ever get to see it with my own eyes. stopazeriaggression stopturkishaggression election2020 trump biden,United States of America,California,CA,Joe Biden,0,-0.3\r\n183,10/21/2020,spotted this sign today \xf0\x9f\x92\x99 biden rbg,United States of America,Florida,FL,Joe Biden,2,0\r\n184,10/21/2020,suburban women are buying shotguns. are they going to vote for joebiden just so he can take them away 2a trump2020,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n185,10/21/2020,surreal watching obama speak at philly drive-in rally for biden and hearing car horns cheering him on. bidenharris2020,United States of America,New York,NY,Joe Biden,1,0.4\r\n186,10/21/2020,talk to ya family about taxing the rich even if you don\xe2\x80\x99t wanna talk about biden don\xe2\x80\x99t let you show up to family dinner in nov and your broke cousin out here voting for trump cuz he might make over 400k someday and he is preemptively hoarding wealth.  taxtherich,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n187,10/21/2020,teamcavuto repdebdingell debbie dingle says twice in the interview \xe2\x80\x9ci\xe2\x80\x99m blunt\xe2\x80\x9d. then asked by teamcavuto about court packing and starts to stutter and refuses to give a straight answer. the idiocy and phoniness of politicians knows no bounds. debbiedingle foxnews scotus biden,United States of America,Nevada,NV,Joe Biden,0,-0.4\r\n188,10/21/2020,thank you  another endorsement for joebiden,United States of America,Pennsylvania,PA,Joe Biden,1,0.9\r\n189,10/21/2020,thank you dana \xf0\x9f\x91\x8a\xf0\x9f\x8f\xbb hunterbiden joebiden hunterbidenlaptop hunterbidenemails joebidenlies joebidenknew trump2020landslide maga2020,United States of America,California,CA,Joe Biden,1,0.8\r\n190,10/21/2020,that\xe2\x80\x99s the reason why i vote the bidenharris ticket. you should too if you can vote. vote lekkimassacre endsars endcorruption biden bidenharris2020 endpolicebrutalityinnigeranow,United States of America,New York,NY,Joe Biden,1,0.1\r\n191,10/21/2020,the biden family is grossly compromised by foreign elements. thedebateinsixwords,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n192,10/21/2020,the day after the election    via ringer news podcast election2020 electionday elections presidentialelection2020 2020election 2020elections joebiden bidenharris2020 bidenharristosaveamerica trump trumpisanationaldisgrace,United States of America,Texas,TX,Joe Biden,2,0\r\n193,10/21/2020,the knee jerk claims of russia disinformation were patent lies. hunterbiden joebiden,United States of America,Oregon,OR,Joe Biden,0,-0.2\r\n194,10/21/2020,the melbrooks imho the funniest man who ever lived is supporting joebiden. you should too. bidenharris2020 melbrooks biden vote bidenharris trump byedon byedon2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.5\r\n195,10/21/2020,theanimaniacs hulu i'll be 50 in december &amp; this reboot is gonna be like my 2nd favorite b-day gift the 1st being joebiden getting elected.,United States of America,Wisconsin,WI,Joe Biden,2,0\r\n196,10/21/2020,theview abc drbiden lol you got rich off the backs of the american people. we have the right to know if these accusations are true get hunterbiden joebiden to end it all. vote2020,United States of America,Massachusetts,MA,Joe Biden,0,-0.3\r\n197,10/21/2020,this brings tears \xf0\x9f\x98\xad to my eyes love joebiden,United States of America,Idaho,ID,Joe Biden,1,0.9\r\n198,10/21/2020,this cuts in pa. biden\xe2\x80\x99s position in detail has been more consistent than this shows of course but in western pa outside of a few neighborhoods in pittsburgh it has an impact. he\xe2\x80\x99ll need a huge turnout in philly....,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n199,10/21/2020,this implies the fbi has just taken possession of the biden laptop  but in fact the fbi had the laptop since 2019 and investigated the computer store with the laptop in 2019 as well as the receipt w hunters signature,United States of America,California,CA,Joe Biden,0,-0.3\r\n200,10/21/2020,this is how you act presidential.  bidenharristosaveamerica vote joebiden bluewave votehimout,United States of America,Nevada,NV,Joe Biden,0,-0.1\r\n201,10/21/2020,this is not binary.  there is plenty of room for all of the above in the debate and on the campaign trail.  economic policy covid policy and the possibility that biden was neck-deep in an influence-peddling scheme that may have involved payouts from foreign sources.,United States of America,Texas,TX,Joe Biden,2,0\r\n202,10/21/2020,this looks like it\xe2\x80\x99s from a quentin tarantino flick hunterbiden joebiden hunterslaptop putthatinyourpipe,United States of America,Georgia,GA,Joe Biden,0,-0.3\r\n203,10/21/2020,this man right here... needs to be our next president. joebiden,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n204,10/21/2020,thomaschattwill oh my god. human emotion expressed in a natural and loving way. empathy. kindness. yes please. biden,United States of America,California,CA,Joe Biden,1,0.5\r\n205,10/21/2020,today is votingday for us.  \xf0\x9f\x8c\x8a voteblue byedon bidenharris2020 biden harris biden2020 votethemout,United States of America,Georgia,GA,Joe Biden,2,0\r\n206,10/21/2020,tonight my girlfriend and i are going to fill out our ballots and thats romance right there. vote  joebiden,United States of America,Oregon,OR,Joe Biden,1,0.5\r\n207,10/21/2020,trump biden bidenharris2020 americaortrump,United States of America,Texas,TX,Joe Biden,1,0.1\r\n208,10/21/2020,trump has been unable to weaponize any issue against joe because he's already knee-deep himself on all the normal attack points. taxes foreign influence shady deals morality dishonesty flip/flops women inaction you name it. trump biden,United States of America,California,CA,Joe Biden,0,-0.5\r\n209,10/21/2020,trump supporter arrested for threats to joebiden kamalaharris left at maryland home with bidenharris yard signs trumpchinabankaccount,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n210,10/21/2020,trump you got my vote. biden is a creep and known child molester.. smellyoulaterkids,United States of America,Alaska,AK,Joe Biden,0,-0.2\r\n211,10/21/2020,trump's doj dog house williambarr doj dog doghouse whitehouse trump courts justicedepartment biden hunterbiden election2020,United States of America,California,CA,Joe Biden,2,0\r\n212,10/21/2020,trump's thug supporters are threatening voters and the democratic process. let's be clear trump is compromised he cultures with putin and he will not go quietly if biden wins. it's going to be a close vote. your vote counts - so use it before you lose it,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n213,10/21/2020,twitter why when i begin typing biden i get biden crime family before bidenharris2020,United States of America,New York,NY,Joe Biden,0,-0.7\r\n214,10/21/2020,usa two weeks from election2020  another poll. verdict biden. &lt;record scratch&gt; didn\xe2\x80\x99t the same lot predict a hilary win by a landslide in 2016,United States of America,New York,NY,Joe Biden,0,-0.1\r\n215,10/21/2020,utah voterregistration votebluetoendthisnightmare voteblue bidenharris kamalaharris joebiden,United States of America,Texas,TX,Joe Biden,1,0.4\r\n216,10/21/2020,vote joebiden compassion bidenharris2020,United States of America,New York,NY,Joe Biden,1,0.2\r\n217,10/21/2020,vote them all out. the entire gop is complicit. send the rats back into their sewers. biden bidenharris resist theresistance,United States of America,Oregon,OR,Joe Biden,0,-0.1\r\n218,10/21/2020,wake up america you are being deceived. trump was on trial for something biden did. all those books written by comey mueller and many more are built on lies. the crook is biden. trump2020 trump2020landslide,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n219,10/21/2020,want $100 in postmates delivery fee credit sign up with code 4p1iu  food foodie hungry biden trump election2020 2020 corona stayathome wednesdaymotivation chipotle chikfila happyhour,United States of America,California,CA,Joe Biden,0,-0.1\r\n220,10/21/2020,washingtonpost marcthiessen win em over with what   his tax cut for the ultra-rich.  love letters to chairman un   failed trade war   go trump and take junior with you.    biden bernie ohio,United States of America,Massachusetts,MA,Joe Biden,1,0.1\r\n221,10/21/2020,we do not need a president that kisses the but of leaders in china and russia  biden/harris 2020,United States of America,Georgia,GA,Joe Biden,0,-0.6\r\n222,10/21/2020,we have to many people unemployed and hungry. crime has no place to go but \xf0\x9f\x91\x86\xf0\x9f\x8f\xbe. coronavirus criminaltrump crime debate2020 dems republicans biden,United States of America,California,CA,Joe Biden,0,-0.4\r\n223,10/21/2020,we just voted for joe biden &amp; kamala harris also roger polack for 1st congressional district. it felt good we are gonna win that\xe2\x80\x99s all there is to it. wish i could have voted for joelforwi but my prayers are with him ivoted joebiden kamalaharris. joebiden,United States of America,Wisconsin,WI,Joe Biden,1,0.2\r\n224,10/21/2020,we need a change who is with me  get out there and vote  vote votebluetoendthisnightmare voteearly joebiden kamalaharris votebidenharristosaveamerica trumpisnotamerica barackobama,United States of America,California,CA,Joe Biden,0,-0.3\r\n225,10/21/2020,we\xe2\x80\x99re letting you mess with our presidential forecast but try not to make the map too weird  news election2020 electionday elections 2020election 2020elections joebiden bidenharris2020 bidenharristosaveamerica trump trumpisanationaldisgrace,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n226,10/21/2020,what amyconeybarrett\xe2\x80\x99s confirmation will mean for environmentallaw and joebiden\xe2\x80\x99s climateplan  via voxdotcom news senatevote election2020 scotus climate climatechange science,United States of America,Texas,TX,Joe Biden,2,0\r\n227,10/21/2020,what happens if biden wins if trump wins let\xe2\x80\x99s talk about it join scharschool\xe2\x80\x99s jennifernvictor and jeremy mayer for a discussion about the election\xe2\x80\x99s outcomes on oct 27 at 630pm. hosted by mason votes. no need to register,United States of America,Texas,TX,Joe Biden,2,0\r\n228,10/21/2020,when the people of canada hate  someone that just speaks volumes votelikeyourlifedependsonit votehimout2020 bidenharristosaveamerica biden,United States of America,Michigan,MI,Joe Biden,0,-0.3\r\n229,10/21/2020,who tells biden what to do are there clinton operatives obama operatives neither both or other i keep wondering about this.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n230,10/21/2020,with two weeks until u.s. electionday it's primetime for politicalads. it's illuminating to see what issues the candidates are spending the most money on. biden is focused on the coronavirus while trump's focus is china. iqm voterinsights courtesy nytimes.,United States of America,New York,NY,Joe Biden,2,0\r\n231,10/21/2020,word. biden \xf0\x9f\x91\x87,United States of America,Ohio,OH,Joe Biden,2,0\r\n232,10/21/2020,yes breaking election news  election2020 joebiden bidenharris2020 trump2020 biden2020 election vote,United States of America,California,CA,Joe Biden,0,-0.1\r\n233,10/21/2020,yes samelliot is the best voiceover guy for commercials &amp; thankfully a biden supporter too bidenharris2020,United States of America,Illinois,IL,Joe Biden,1,0.8\r\n234,10/21/2020,you know realdonaldtrump potus is in complete trumpmeltdown when he doesn\xe2\x80\x99t know who to blame so he blames everyone and everything. noplan noclue fauci cnn chriswallace biden government billbarr lesleystahl gop,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n235,10/21/2020,you want corn or wall street pass the bill stimulus mcconnell pelosi trump biden wallstreet stocks economics economy corn farmers bailout passthebill,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n236,10/21/2020,\xe2\x80\x9ci paid more taxes when i was 15 years old working at baskin robbins that donaldtrump did in the white house\xe2\x80\x9d barackobama for joebiden in pennsylvania,United States of America,California,CA,Joe Biden,0,-0.5\r\n237,10/21/2020,\xe2\x80\x9cthank you for hugging me.\xe2\x80\x9d\xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\x91\x8d\xf0\x9f\x8f\xbcjoebiden,United States of America,California,CA,Joe Biden,1,0.8\r\n238,10/21/2020,\xe2\x80\x9cthere is so much we can do if we choose to take on problems and not each other\xe2\x80\x9d \xe2\x80\x9cthe big lebowski\xe2\x80\x9d star said in new biden ad. samelliot joebiden election2020 thebiglebowski,United States of America,New York,NY,Joe Biden,1,0.1\r\n239,10/21/2020,\xf0\x9f\x94\xb4 live podcast 21 october 2020 on spreaker 2020election biden blacklivesmatter trump,United States of America,New York,NY,Joe Biden,2,0\r\n240,10/22/2020,barackobama donaldtrump joebiden education clip of biden comforting school shooting victim's son goes viral breaks hearts,United States of America,Idaho,ID,Joe Biden,2,0\r\n241,10/22/2020,russia iran fbi vote2020 election2020 donaldtrump joebiden threats voteblue abcnews dems gop vote fakepolls covid19 thursdaythoughts trumpchinabankaccount folllowme,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n242,10/22/2020,- in portland ttwo proud boys jailed on protest-related charges   \xe2\x80\xa6 pdx orpol portlandprotests portlandriots oregon portlandpolice damikeschmidt proudboys trump biden vanwa,United States of America,Oregon,OR,Joe Biden,0,-0.2\r\n243,10/22/2020,2016 election donald trump funko pop rare.... donaldtrump trump debates2020 biden joebiden joebiden2020 donaldtrump2020 vote election2020 electionday,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n244,10/22/2020,3/3  from the moment he decided to run. i can\xe2\x80\x99t imagine the magnitude of suffering the pandemic caused for those he systematically &amp; shamelessly victimized long before the  really puts the suffering into perspective. projectlincoln voteforourlives biden,United States of America,Alaska,AK,Joe Biden,2,0\r\n245,10/22/2020,4.5 hours hours away\xe2\x80\x94 more supporters of president trump and former vice president joe biden are gathering outside belmont. debates2020 debate election vote trump biden potus,United States of America,Tennessee,TN,Joe Biden,0,-0.4\r\n246,10/22/2020,44th usa president barackobama is humbly &amp; strongly advocating for the election of joebiden as the next president --he wants majority of the electorate everywhere to vote for biden ~ republican senator mittromney revealed he didn't vote for trump*,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n247,10/22/2020,780 retired high-ranking officers &amp; former nat'l secty leaders signed an \xe2\x80\x9copen letter to america\xe2\x80\x9d endorsing joebiden for president. \xe2\x80\x9cwe love our country\xe2\x80\x9d the signatories wrote. \xe2\x80\x9cunfortunately we also fear for it.\xe2\x80\x9d  via yahoo,United States of America,California,CA,Joe Biden,0,-0.2\r\n248,10/22/2020,98% of african americans support joebiden and kamalaharris and 69% of latinos support biden as well vamosquesepuede latinosforbiden,United States of America,California,CA,Joe Biden,2,0\r\n249,10/22/2020,9news considering biden is promising a tax hike he's doing them a favor in saying what no one else is willing to say.,United States of America,Colorado,CO,Joe Biden,0,-0.8\r\n250,10/22/2020,a different joebiden than this guy,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n251,10/22/2020,a former business associate of hunterbiden has come out with a statement that lends more credibility to reports that democratic presidential nominee joebiden used his son\xe2\x80\x99s foreign business dealings to turn a profit.,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n252,10/22/2020,a new &amp; wonderful message. vote for your sons. vote for change. vote for joe. biden debatenight,United States of America,Virginia,VA,Joe Biden,1,0.4\r\n253,10/22/2020,a new poll shows president donaldtrump and democratic challenger joebiden running even in georgia with electionday just two weeks off as are republican u.s. sen. davidperdue and democratic opponent jonossoff. atlanta,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n254,10/22/2020,abortion abortionontrial abortionrights women birth people vote votecommongood vote2020 trumppence bidenharris donaldjtrump joebiden life babies\xc2\xa0\xc2\xa0prolife prochoice,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n255,10/22/2020,according to npr exposing corruption is a \xe2\x80\x9cwaste of time.\xe2\x80\x9d.....the public shouldn\xe2\x80\x99t be informed about corruption in the us government... hunterbidenemails bidenlaptop hunterslaptop joebiden censorship2020,United States of America,Tennessee,TN,Joe Biden,0,-0.8\r\n256,10/22/2020,all we need to know is that biden is a criminal and a liar and not the real candidate harris and bernie are the trojanhorse,United States of America,Illinois,IL,Joe Biden,0,-0.9\r\n257,10/22/2020,allegations don\xe2\x80\x99t make things true says marieharf regarding biden the person who helped to push the allegations regarding trump and russia for years. i don\xe2\x80\x99t want a president who is in bed with china.,United States of America,Arizona,AZ,Joe Biden,0,-0.8\r\n258,10/22/2020,also in excerpts released from his 60minutes interview joebiden says he will establish a bipartisan committee to examine the issue of expanding the supremecourt - he has been facing calls to clarify his position before election2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n259,10/22/2020,amen. biden bidenharris2020,United States of America,New York,NY,Joe Biden,1,0.6\r\n260,10/22/2020,america also wants to know about hunter biden\xe2\x80\x99s sleazy deals in ukraine and his now discovered emails showing his corrupt schemes of selling his father\xe2\x80\x99s influence for millions of dollars  no wonder biden is hiding in his basement and refusing to deny the charges,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n261,10/22/2020,america needs joebiden and kamalaharris to lead our beloved nation in our greatest time of need. we can heal. let\xe2\x80\x99s start now by voting bidenharris,United States of America,Texas,TX,Joe Biden,1,0.1\r\n262,10/22/2020,america's 30 million small business owners and the 60 million people employed by them deserve to know how joebiden's taxes would impact their economic opportunities. ampfw jobcreatorsusa stephenmoore election2020 debates2020,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n263,10/22/2020,amoneyresists i never saw such a sniveling cry baby as a leader. he keeps saying you don't ask joebiden tough questions... well we are and quest what joehasanswers,United States of America,Nevada,NV,Joe Biden,0,-0.4\r\n264,10/22/2020,and boom\xe2\x80\xa6joebiden wants to reform the scotus for political outcomes\xe2\x80\xa6not constitutional outcomes,United States of America,New York,NY,Joe Biden,0,-0.7\r\n265,10/22/2020,and has a secretchinesebankaccount unlike joebiden or kamalaharris,United States of America,New York,NY,Joe Biden,2,0\r\n266,10/22/2020,and the other one.... \xf0\x9f\xa4\x94\xf0\x9f\x98\x9f debate debatetonight biden joebiden maddow bitmojimaddow,United States of America,New York,NY,Joe Biden,2,0\r\n267,10/22/2020,another heartwarming biden campaign ad by projectlincoln,United States of America,Michigan,MI,Joe Biden,1,0.4\r\n268,10/22/2020,at this point i'm just waiting to see if joebiden will drop out. this would be the third time he will have dropped out of a presidential race..........,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n269,10/22/2020,barack obama is the most admired man in the world - it's proven - and what he did for biden will make you love him even more. read the story,United States of America,California,CA,Joe Biden,1,0.4\r\n270,10/22/2020,barackobama is finally campaigning for joebiden in the final stretch with less than 2weeks for the election...weird,United States of America,California,CA,Joe Biden,0,-0.5\r\n271,10/22/2020,barackobama working to help joebiden get elected to be our next president. votebidenharris and votetrumpout,United States of America,California,CA,Joe Biden,1,0.1\r\n272,10/22/2020,barrack - compelling - he knows joe. voteblue flipthesenateblue  resist joebiden,United States of America,Florida,FL,Joe Biden,1,0.5\r\n273,10/22/2020,benshapiro how dare you ask biden a question he does not want to answer,United States of America,Nevada,NV,Joe Biden,0,-0.8\r\n274,10/22/2020,benshapiro so what if the answer is \xe2\x80\x9cyes\xe2\x80\x9d does it change biden\xe2\x80\x99s ability to clean up a totally corrupt past presidency no. who cares biden,United States of America,Minnesota,MN,Joe Biden,0,-0.8\r\n275,10/22/2020,best way for donaldtrump to be credible on accusing joebiden of corruption is to make his own income taxreturn &amp; business deals public. otherwise it is hypocritic pre-election propaganda. hunterbiden rudygiuliani hunterbidenemails foxnews,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n276,10/22/2020,biden,United States of America,California,CA,Joe Biden,1,0.3\r\n277,10/22/2020,biden,United States of America,Michigan,MI,Joe Biden,1,0.3\r\n278,10/22/2020,biden,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n279,10/22/2020,biden,United States of America,Washington,WA,Joe Biden,1,0.3\r\n280,10/22/2020,biden bidenharristosaveamerica,United States of America,Texas,TX,Joe Biden,1,0.3\r\n281,10/22/2020,biden communications director apparently does not keep up with the news.,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n282,10/22/2020,biden crime family,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n283,10/22/2020,biden holds double-digit lead in pennsylvania while florida is tight,United States of America,Puerto Rico,PR,Joe Biden,1,0.2\r\n284,10/22/2020,biden insider tony bobulinski provides documents to senate investigators  via breitbartnews,United States of America,California,CA,Joe Biden,1,0.1\r\n285,10/22/2020,biden is a liar,United States of America,New York,NY,Joe Biden,0,-0.8\r\n286,10/22/2020,biden is just a trojanhorse for harris. everyone knows that between his health his policies and his baggage he's not presidential material. but instead they pick lame duck harris who couldn't even garner 3% of the votes when it counted. candidatefailure,United States of America,Colorado,CO,Joe Biden,0,-0.3\r\n287,10/22/2020,biden is so weak he\xe2\x80\x99s been mia since monday having democratic lap dogs and the media do his bidding for him. realdonaldtrump has been to 4 states in 3 days. i want a president who has the energy to lead the country. not a low energy basement gremlin biden trump election2020,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n288,10/22/2020,biden joewillleadus to prison,United States of America,California,CA,Joe Biden,0,-0.4\r\n289,10/22/2020,biden knows pain believe me i have lost my son my family there it no greater pain my heart goes out to him\xe2\x9d\xa4\xef\xb8\x8f may he heal the world. there\xe2\x80\x99s a call for empathy in the world biden will help us ease our pain voteouteveryrepublican votebiden,United States of America,New York,NY,Joe Biden,1,0.5\r\n290,10/22/2020,biden leads trump by 10points nationally in new quinnipiac poll thehill,United States of America,Texas,TX,Joe Biden,2,0\r\n291,10/22/2020,biden planea reformar la suprema corte de eeuu eeuu joebiden,United States of America,Florida,FL,Joe Biden,1,0.4\r\n292,10/22/2020,biden planea reformar la suprema corte de estados unidos -  evnews joebiden eeuu elecciones2020,United States of America,Florida,FL,Joe Biden,1,0.3\r\n293,10/22/2020,biden possibly loves hunter too much . you know the wrong way .,United States of America,New York,NY,Joe Biden,0,-0.4\r\n294,10/22/2020,biden questioned about hunterbidensemails ...vote2020,United States of America,California,CA,Joe Biden,0,-0.4\r\n295,10/22/2020,biden says he'll set up commission to study reforming supremecourt if elected thehill,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n296,10/22/2020,biden to vets we have one truly sacred obligation- that's to prepare and equip those who we send into harm's way both while they're deployed and after they are home restore respect for our military to the white house.  bidenharris2020.                 demvoice1,United States of America,New York,NY,Joe Biden,1,0.1\r\n297,10/22/2020,biden trump,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n298,10/22/2020,biden was a professor of constitutional law. realdonaldtrump was a reality tv show host. think about that. biden2020landslide,United States of America,California,CA,Joe Biden,2,0\r\n299,10/22/2020,bidenharris2020 joebiden votebluetoendthisnightmare we need empathy back in the white house,United States of America,Tennessee,TN,Joe Biden,0,-0.6\r\n300,10/22/2020,biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb bidenharris\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb cnn msnbc thursdaythoughts,United States of America,New York,NY,Joe Biden,1,0.4\r\n301,10/22/2020,biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb bidenharris\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb cnn thursday thursdaymotivation,United States of America,New York,NY,Joe Biden,1,0.2\r\n302,10/22/2020,billy graham's granddaughter endorses joebiden,United States of America,Missouri,MO,Joe Biden,2,0\r\n303,10/22/2020,blacklivesmatter bluehour blacktwitter bluewave2020 dnc joebidenkamalaharris2020 joebiden countryoverparty lgbtq lgbt lgbtqpride climatechangeisreal climateaction climate,United States of America,Nevada,NV,Joe Biden,1,0.1\r\n304,10/22/2020,bobulinski just bomb-shelled the bidens a mere hour before joebiden takes the debatetonight debates2020 \xf0\x9f\xa4\xaf\xf0\x9f\x98\xb1\xf0\x9f\x98\xb3,United States of America,New York,NY,Joe Biden,1,0.6\r\n305,10/22/2020,bostondotcom biden will show america what it needs.,United States of America,Massachusetts,MA,Joe Biden,1,0.1\r\n306,10/22/2020,both trump and biden have tested negative for coronavirus ahead of tonight's debate2020 their aides announce - the president tested positive for covid just days after sharing the stage with biden at the first presidential debate in ohio.,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n307,10/22/2020,breaking911 so much for not wanting to endorse biden. looks like obama was merely waiting to see who got the nomination and endorse that person.,United States of America,California,CA,Joe Biden,0,-0.5\r\n308,10/22/2020,brianmaytime lisakrstin hackinjeebs rudygiuliani when the other option is voting for trump there is literally nothing biden could do including shooting someone on 5th avenue that would prevent me from voting for him.,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n309,10/22/2020,bryce_peppers dmandicino i wonder about the people who vote for folks who will eventually be held for trial in the hague. that's... a lot... for general people folk to carry on their life resume. they should probably vote for joebiden kamalaharris,United States of America,Minnesota,MN,Joe Biden,0,-0.1\r\n310,10/22/2020,can anyone tell realdonaldtrump how stupid he looks/sounds surely others can tell him to stfu. dumptrump biden,United States of America,North Carolina,NC,Joe Biden,0,-0.3\r\n311,10/22/2020,china joebiden hunterbiden winniethepooh,United States of America,Michigan,MI,Joe Biden,1,0.3\r\n312,10/22/2020,chrislhayes he didn\xe2\x80\x99t for obama so there\xe2\x80\x99s no reason to expect he would for biden. makethesenateblue,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n313,10/22/2020,clairecmc you can\xe2\x80\x99t fake goodness. obama biden kamalaharris,United States of America,Washington,WA,Joe Biden,1,0.2\r\n314,10/22/2020,congrats on remembering. ampfw debatetonight debates joebiden,United States of America,District of Columbia,DC,Joe Biden,1,0.5\r\n315,10/22/2020,conniechung is a fraud and a liar. she is a woman and an asian that makes her using her gender and race in politics okay her vote for joebiden is based on the coronavirus being called the kungflu is rhe tipping point connie has voted for democrats her whole life.,United States of America,Minnesota,MN,Joe Biden,0,-0.8\r\n316,10/22/2020,cortessteve hunterbiden is a gopher for the joebiden crime family... joe biden chinese paycheck stub lists his job classification as the chinese government ambassador to the united states...,United States of America,California,CA,Joe Biden,0,-0.2\r\n317,10/22/2020,could joebiden name an indigenous secretary of the interior environmental groups hope he will.,United States of America,California,CA,Joe Biden,2,0\r\n318,10/22/2020,crime family biden,United States of America,Hawaii,HI,Joe Biden,0,-0.2\r\n319,10/22/2020,dcexaminer because npr knows how damning and damaging the hunterbidenemails would be to the joebiden campaign.,United States of America,California,CA,Joe Biden,0,-0.7\r\n320,10/22/2020,debate2020 debates presidentialdebate presidentialdebates2020 presidenttrump lol muted trump2020 funny meme memes2020 memes joebiden,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n321,10/22/2020,deescalation police biden dementiajoe,United States of America,Texas,TX,Joe Biden,2,0\r\n322,10/22/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n323,10/22/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n324,10/22/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n325,10/22/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n326,10/22/2020,demlist is here to provide you with easy and fun ways to support biden and harris by attending some of the many events. click the link to find out how you can join your favorite celebrities in supporting biden,United States of America,District of Columbia,DC,Joe Biden,1,0.5\r\n327,10/22/2020,dineshdsouza well now we know why joebiden picked kamalaharris as his running mate.,United States of America,Illinois,IL,Joe Biden,1,0.2\r\n328,10/22/2020,don't give up votebiden joebiden joebiden barackobama barackobama senbobcasey hillaryclinton,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n329,10/22/2020,donaldtrump ripping joebiden and kamalaharris  on their flipflop lying to americanworkers  in our oilindustry gasindustry energyindustry americanjobs jobsnotmobs antifa blm thesquad aoc  radicalleft socialism communism democratparty misery democrats democrat,United States of America,California,CA,Joe Biden,0,-0.8\r\n330,10/22/2020,donlemon cnn barackobama was on his game tonight&amp; he made it over for vice president joebiden. obama  absolutely won the election for biden&amp; i truly believe but for obama's speech joebiden couldn't have won. barackobama is aces &amp; eights i appreciate his truth&amp; his honor.,United States of America,Indiana,IN,Joe Biden,1,0.3\r\n331,10/22/2020,drbiden credibility and competence are on the ballot. biden is a senile mendacious unaccomplished incompetent crook.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n332,10/22/2020,dremilyportermd momnblue joebiden not that it is comforting but i\xe2\x80\x99m right in there with ya. yep that\xe2\x80\x99s biden circled on my early voting ballot.,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n333,10/22/2020,dropping off my ballot tomorrow to my local drop-off box which is a 10min walk from my house. i get my voice heard &amp; a 20min walk \xf0\x9f\x98\x81. vote voteearly joebiden maryland votebidenharris2020,United States of America,New York,NY,Joe Biden,1,0.1\r\n334,10/22/2020,dumptrump fucktrump biden2020 bidenharris2020 biden trump politics election vote voteblue votehimout election tiktok,United States of America,Georgia,GA,Joe Biden,0,-0.5\r\n335,10/22/2020,election 2020 what should the banking industry expect from biden or trump banking finance policy election2020   via bankingdive,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n336,10/22/2020,election 2020 what should the banking industry expect from biden or trump election banking,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n337,10/22/2020,election2020 bidenharris2020 biden,United States of America,Tennessee,TN,Joe Biden,1,0.3\r\n338,10/22/2020,election2020 joebiden is a security risk and must drop out. newyorkpost and read the statement,United States of America,Massachusetts,MA,Joe Biden,0,-0.5\r\n339,10/22/2020,election2020 joebiden vote2020,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n340,10/22/2020,ellenbarkin dni ratcliffe is spreading disinformation. you don't have to hack the states to get the voter rolls. anyone can buy them. why would iran have to steal them and then pretend to be the proud boys threatening people who vote for biden to help trump.,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n341,10/22/2020,empathy matters grace matters character matters; our nation desperately needs more of this. joebiden,United States of America,Minnesota,MN,Joe Biden,1,0.1\r\n342,10/22/2020,everyone else has already shared this but it\xe2\x80\x99s beautiful and i wanted to be sure y\xe2\x80\x99all saw it \xf0\x9f\x92\x97 biden,United States of America,North Carolina,NC,Joe Biden,1,0.9\r\n343,10/22/2020,everyone is voting biden,United States of America,California,CA,Joe Biden,1,0.3\r\n344,10/22/2020,excited for the debate... debate presidentialdebate moderator election2020\xc2\xa0 election biden bidenharris biden2020 trump trumppence trump2020 explorerpage socialdistancing life live love presidentialelection presidenttrump presidentbiden presidential president,United States of America,California,CA,Joe Biden,1,0.2\r\n345,10/22/2020,fbi and doj all said it is not russian disinformation that boy hunter was pimping his dad that\xe2\x80\x99s facts 2020election trump biden debatetonight,United States of America,California,CA,Joe Biden,0,-0.7\r\n346,10/22/2020,fearless + bold= jennifer longdon representative jenlongdon is right vice president joebiden is the only viable candidate for the presidency that will protect and provide affordable and accessible healthcare to those who most need it. biden,United States of America,Arizona,AZ,Joe Biden,1,0.5\r\n347,10/22/2020,filmmakerjulie pizzatothepolls a true \xf0\x9f\x8d\x95celebration\xf0\x9f\x8d\x95 of democracy  love american ingenuity \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 pizzafordemocracy stephencolbert stephenathome ilovepizza voteearly joebiden kamalaharris,United States of America,Massachusetts,MA,Joe Biden,1,0.6\r\n348,10/22/2020,fine by me we don\xe2\x80\x99t want u in pennsylvania either this is biden country\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3,United States of America,Wisconsin,WI,Joe Biden,0,-0.2\r\n349,10/22/2020,foxnews notice its murdochmafia who are pushing these stories globally with analysis by someone charged with fraud stevebannon &amp; someone who was playing with himself on a bed in a hotel room with a reporter rudygiuliani. i guess teamtrump has no folks with credibility. joebiden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n350,10/22/2020,full coverage of the final presidential debate between trump &amp; biden can be heard on wbhp. coverage starts at 705pm with the debate beginning at 805pm listen here --&gt;,United States of America,Alabama,AL,Joe Biden,2,0\r\n351,10/22/2020,get out &amp; vote 4 your life there's absolutely no rewards 4 laziness only consequences get a mask a chair hand sanitizer food drinks &amp; be 6ft apart on nov 3rd thursdaymotivation thursdaythoughts votebluetosaveamerica vote joebiden kamalaharris speakupvotebiden,United States of America,Alabama,AL,Joe Biden,0,-0.6\r\n352,10/22/2020,ghislaine maxwell 2016 deposition transcripts released court order. link provided for reader to asses transcript vice listening to interpretation of facts.   biden trump trending technews positions politics fbi factcheck dynamite  usa,United States of America,California,CA,Joe Biden,0,-0.2\r\n353,10/22/2020,giannocaldwell sure - investigate - and if potus joebiden is guilty then impeach him.  but for the moment you can't be asking people to assume guilt.  are you,United States of America,New York,NY,Joe Biden,0,-0.4\r\n354,10/22/2020,gop realdonaldtrump trump managed to increase the trade deficit.   total failure.   biden china,United States of America,Massachusetts,MA,Joe Biden,0,-0.5\r\n355,10/22/2020,great answer wow the media is starting feel the repercussions of black balling the biden bidenharris2020 this laptop is not fake it does exist.,United States of America,Texas,TX,Joe Biden,1,0.8\r\n356,10/22/2020,gsparklewitz madampresiden19 dineshdsouza tweets like this are why biden will lose badly.  to say this to someone.. anyone.. shows you're just not a good person.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n357,10/22/2020,hahaha dream on dude.  we are not flocking to you.  we're voting joebiden,United States of America,California,CA,Joe Biden,2,0\r\n358,10/22/2020,help me here how can black people criticize donaldtrump for racial insensitivity yet give joebiden &amp; kamalaharris a go pass on the 1994 crime bill and prosecuting hundreds of non-violent minorities huge double standard,United States of America,Connecticut,CT,Joe Biden,0,-0.5\r\n359,10/22/2020,hey hey hey. i\xe2\x80\x99m sure this is nothing. no reason to focus on biden smoking guns.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n360,10/22/2020,his decision about who's going to win between donald trump and joe biden has left us very shocked indeed. find out who he says will win,United States of America,California,CA,Joe Biden,0,-0.1\r\n361,10/22/2020,hold on to your hats balanced libraseason is on the way out and biden scorpioseason is coming in strong \xf0\x9f\x92\xaa\xf0\x9f\x8f\xbe\xf0\x9f\x91\x80,United States of America,Maryland,MD,Joe Biden,1,0.5\r\n362,10/22/2020,hope you join our uninoticias univisionnews team for this final presidential debate of 2020 destino2020 debates2020 debatepresidencial biden trump destiny2020 univision unipolitica unews uninoticias,United States of America,Florida,FL,Joe Biden,1,0.2\r\n363,10/22/2020,how about china   oh that's right they are in cahoots with biden and the corruptdemocrats.,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n364,10/22/2020,how can thejuanwilliams or any democrat for tht matter deny the facts/call the story a conspiracy theory when there\xe2\x80\x99s actual not made up like thedemocrats like to do it evidence abt h. biden\xe2\x80\x99s laptopfromhell how hypocritical have the dems been during this election\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n365,10/22/2020,how does a 19 year old get $500k in cash biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n366,10/22/2020,how is this not a conflict of interest biden,United States of America,Michigan,MI,Joe Biden,0,-0.4\r\n367,10/22/2020,how is tuckercarlson the fucker still employed by spreading g lies every damn night biden bidenharrislandslide2020 votebidenharris2020,United States of America,California,CA,Joe Biden,0,-0.8\r\n368,10/22/2020,how many pieces of legislation were passed during the obama/biden admin that favored china in some way,United States of America,Michigan,MI,Joe Biden,0,-0.2\r\n369,10/22/2020,how will a shift in washington impact the etf industry davidwagneriii &amp; rapkingb2 of drawdownpatrol  dive into potential changes under the biden administration in etfexpress,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n370,10/22/2020,how will the media and big tech cover for joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n371,10/22/2020,howardeskin sportsradiowip hilarious. you\xe2\x80\x99ll be fine and you\xe2\x80\x99re the type that wore his mask alone while driving alone biden suck it up buttercup. if chris christie who eats 527 meatballs a day survived you\xe2\x80\x99ll he just fine. don\xe2\x80\x99t be a martyr,United States of America,New York,NY,Joe Biden,2,0\r\n372,10/22/2020,hunter biden has no experience exceptin smoking ctack in the bathtub and he making millions,United States of America,Hawaii,HI,Joe Biden,0,-0.8\r\n373,10/22/2020,hunter biz partner confirms email details joe biden's push to make millions from china goodwin  via nypost,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n374,10/22/2020,hunter hunterbiden biden bidenharris2020 cocaine charliesheen this truth wakeup america usa maga cle cleveland ohio trump joebiden trump2020\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 drugs ukraine coke crack,United States of America,Ohio,OH,Joe Biden,0,-0.5\r\n375,10/22/2020,hunterbiden biden,United States of America,Florida,FL,Joe Biden,1,0.3\r\n376,10/22/2020,i don\xe2\x80\x99t care why it was done. people are cleaning up biden\xe2\x80\x99s mess and more of it needs to be done people are still suffering because of jim crow joebiden harmful policies. he didn\xe2\x80\x99t care then \xe2\x80\x94he didn\xe2\x80\x99t care when he was obama\xe2\x80\x99s vp\xe2\x80\x94he doesn\xe2\x80\x99t care now. racist mf.,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n377,10/22/2020,i joined ktrhnews to talk about how joebiden is getting large donations from corporations &amp; realdonaldtrump is raking in small-dollar donations from supporters. when it comes to fundraising in the presidential election it's main street vs wall street.,United States of America,Texas,TX,Joe Biden,2,0\r\n378,10/22/2020,i think this is an astute read on biden's intentions and hopes in doing this but i do think biden may be a bit naive in his read of the senate gop willingness to play ball on courtreform. gop does not tend to respond to dem calls for reform without significant deterrence,United States of America,Virginia,VA,Joe Biden,0,-0.6\r\n379,10/22/2020,i will give a thousand bucks to the biden campaign if he says \xe2\x80\x9cyou\xe2\x80\x99re out of your element donny\xe2\x80\x9d somewhere during the debate tonight. joebiden actblue thejeffbridges,United States of America,California,CA,Joe Biden,0,-0.1\r\n380,10/22/2020,if forehead kisses are sexual i need to apologize to my cats. biden bidenharris2020,United States of America,California,CA,Joe Biden,2,0\r\n381,10/22/2020,if joebiden wins the election the next 4 years could have both elizabethwarren and berniesanders having a tremendous impact on us domestic policy,United States of America,California,CA,Joe Biden,2,0\r\n382,10/22/2020,if nancypelosi and joebiden had a baby it would be caligula.,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n383,10/22/2020,if you are an on the fence voter please read this factual verified story. it's thursday 10/22/2020 this actually is breaking news biden trump dnc rnc cbsnews 60minutes abcnews,United States of America,Tennessee,TN,Joe Biden,0,-0.1\r\n384,10/22/2020,imagine having this compassionate man as our president. it's possible. we can do this. biden trumpispathetic,United States of America,California,CA,Joe Biden,1,0.3\r\n385,10/22/2020,imho this spot is one of our best. as a single mother of twins sons i want my boys to have a father figure in a president that they can look up to. biden,United States of America,Colorado,CO,Joe Biden,1,0.5\r\n386,10/22/2020,important breaking news hunterbiden business partner calls email 'genuine' says hunter sought dad's advice on deals hunterbidenlaptop joebiden,United States of America,Colorado,CO,Joe Biden,1,0.1\r\n387,10/22/2020,ingrahamangle if biden is as big of a colossal failure as trump i'm sure she would.,United States of America,Colorado,CO,Joe Biden,0,-0.8\r\n388,10/22/2020,ingrahamangle joebiden bidenharris2020 have no covid plan. they say they do but all they do is run the clock bashing trump. covid19vic won\xe2\x80\x99t be easy but it won\xe2\x80\x99t last forever. eventually there has to be a shift so we can get back to our lives. 4moreyears trump2020,United States of America,California,CA,Joe Biden,0,-0.3\r\n389,10/22/2020,ingrahamangle that's because biden is competent doesn't lie every time he speaks and can answer a simple question.,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n390,10/22/2020,intelligencedirector issues high-drama low-clarity warning on iran russia election operations  via msnbc news election2020 elections2020 2020election trump biden trumprussia,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n391,10/22/2020,islandwineshk solomonyue it\xe2\x80\x99s not hunter that is the focus but the corruption of joebiden wakeup,United States of America,North Carolina,NC,Joe Biden,0,-0.6\r\n392,10/22/2020,it's over for biden .,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n393,10/22/2020,it\xe2\x80\x99s beginning to look a lot like courtpacking everywhere we go... joebidenisaliar joebiden bidenfamilycorruption chinajoebiden chinajoemustgo,United States of America,California,CA,Joe Biden,0,-0.2\r\n394,10/22/2020,it\xe2\x80\x99s very exciting for me to think about the possibility that this election will be a landslide unlike any in the history of this country and that we may have a president like joebiden . and the cherry on top a vice president like kamalaharris . \xf0\x9f\x98\x8c,United States of America,California,CA,Joe Biden,1,0.6\r\n395,10/22/2020,i\xe2\x80\x99ll be disappointed in biden tonight if he doesn\xe2\x80\x99t parry trump\xe2\x80\x99s accusations with some new ones of his own just to derail him a bit. it\xe2\x80\x99s not like trump doesn\xe2\x80\x99t have a few skeletons to unearth...,United States of America,Minnesota,MN,Joe Biden,0,-0.6\r\n396,10/22/2020,i\xe2\x80\x99ll say again i don\xe2\x80\x99t agree with joebiden on everything. but i have always believed he\xe2\x80\x99s one of the most thoroughly decent public servants alive today.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n397,10/22/2020,i\xe2\x80\x99m mentally preparing for any and everything to take place during tonight\xe2\x80\x99s debate2020 i won\xe2\x80\x99t be surprised if trump speaks directly into the camera like biden does.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n398,10/22/2020,i\xe2\x80\x99m not rich and i\xe2\x80\x99m not perfect. but at least i don\xe2\x80\x99t have a joebiden sign in my front yard.,United States of America,Arizona,AZ,Joe Biden,0,-0.4\r\n399,10/22/2020,i\xe2\x80\x99m now sending the poverty presentation that is pined to my page one at a time for those that would like to read &amp; resend it. demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden  wtpsenate wtpblue,United States of America,Ohio,OH,Joe Biden,0,-0.3\r\n400,10/22/2020,i\xe2\x80\x99m now sending the poverty presentation that is pined to my page one at a time for those that would like to read &amp; resend it. demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden  wtpsenate wtpblue,United States of America,Ohio,OH,Joe Biden,0,-0.3\r\n401,10/22/2020,i\xe2\x80\x99m now sending the poverty presentation that is pined to my page one at a time for those that would like to read &amp; resend it. demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden  wtpsenate wtpblue,United States of America,Ohio,OH,Joe Biden,0,-0.3\r\n402,10/22/2020,i\xe2\x80\x99m now sending the poverty presentation that is pined to my page one at a time for those that would like to read &amp; resend it. demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden  wtpsenate wtpblue,United States of America,Ohio,OH,Joe Biden,0,-0.3\r\n403,10/22/2020,i\xe2\x80\x99m now sending the poverty presentation that is pined to my page one at a time for those that would like to read &amp; resend it. demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden  wtpsenate wtpblue,United States of America,Ohio,OH,Joe Biden,0,-0.3\r\n404,10/22/2020,jackposobiec 1776-2020 = 244 years of \xf0\x9f\x87\xba\xf0\x9f\x87\xb8.  biden  in senate since 1972 or 48 years. 48\xc3\xb7244=20% joe has been in government for 1/5 of the time america has been in existence. maybe joe you are the problem. pay to play. kickbacks. fraud. union manipulation. china. i hope trump kicks his trash,United States of America,California,CA,Joe Biden,0,-0.3\r\n405,10/22/2020,jakesherman thank god trumpchinabankaccount trumpisnotwell bidenharrislandslide2020 bidenharris biden,United States of America,Texas,TX,Joe Biden,1,0.8\r\n406,10/22/2020,jennifer lawrence said donald trump made her reconsider her political views jenniferlawrence movies election2020 biden democrats trump vikez,United States of America,California,CA,Joe Biden,0,-0.6\r\n407,10/22/2020,jillbiden says americans 'don't want to hear about' hunterbiden - joebiden deals  via nypost looks like there is a lot of smoke &amp; it may only be a matter of time before we see fire. hmmm how long until this is brought up in tonight's debate2020,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n408,10/22/2020,joe biden says he'll set up commission to study reforming supreme court if elected,United States of America,Illinois,IL,Joe Biden,2,0\r\n409,10/22/2020,joebiden,United States of America,Florida,FL,Joe Biden,1,0.3\r\n410,10/22/2020,joebiden barackobama says i will f this up. he doesn\xe2\x80\x99t even know what he\xe2\x80\x99s talking about. i won\xe2\x80\x99t screw this up. oh damn it joe he\xe2\x80\x99s on your side now. can\xe2\x80\x99t remember these days. trump2020 trump2020tosaveamerica biden bidenharris2020landslide,United States of America,Tennessee,TN,Joe Biden,0,-0.1\r\n411,10/22/2020,joebiden before they pump him full of shit prior to the debate crookedjoebiden,United States of America,Colorado,CO,Joe Biden,0,-0.9\r\n412,10/22/2020,joebiden biden2020 hillary obamawasbetterateverything obama bidenharris2020landslide bidenlaptop bidenharris2020 election2020 election trump2020 trump2020landside,United States of America,Tennessee,TN,Joe Biden,2,0\r\n413,10/22/2020,joebiden dncwarroom dnc joebiden you need to condemn iran and commit to additional strong sanctions against it to disassociate yourself from its efforts to fix the election for you. why does iran want you to win so badly,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n414,10/22/2020,joebiden dougjones has shown us even in our darkest moments that hope for the american promise is never lost \xe2\x80\x94 and what we can do when we stand united.\xe2\x80\x9d politics alabama democrats 2020election,United States of America,New York,NY,Joe Biden,1,0.1\r\n415,10/22/2020,joebiden has a pandemic response,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n416,10/22/2020,joebiden has corrupt dealings with the chinese using the office of vp to get him and his family rich. trump has a bank account in china to pay chinese taxes. somehow you'll miss it election2020,United States of America,Minnesota,MN,Joe Biden,0,-0.2\r\n417,10/22/2020,joebiden has memorized all the questions and answers given to him by the cpd &amp; moderator. fakenews enemyofthepeople has already written breaking news snippets to flash biden won the debate tomorrow.,United States of America,Washington,WA,Joe Biden,2,0\r\n418,10/22/2020,joebiden hunterbiden,United States of America,Arizona,AZ,Joe Biden,1,0.3\r\n419,10/22/2020,joebiden is a criminal on the edge of mental incompetence which weil be his defense.  if a rag like theatlantic endorses a criminal then they endorse lawlessness.,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n420,10/22/2020,joebiden is one of about 3 million people in the u.s. with a stutter. this internationalstutteringawarenessday ucla health pediatric speech-language pathologist nicole schussel ms ccc-slp discusses stigmas misconceptions &amp; the latest treatments. \xe2\x9e\xa8,United States of America,California,CA,Joe Biden,2,0\r\n421,10/22/2020,joebiden joebidensneighborhood trump2020landslide trumpchinabankaccount obamawasbetterateverything covid19 rudygiuliani,United States of America,Massachusetts,MA,Joe Biden,1,0.4\r\n422,10/22/2020,joebiden joechina   now joe is apologizing for america. he\xe2\x80\x99s had half a century to make america better and he hasn\xe2\x80\x99t. america worked for joe. he\xe2\x80\x99s a multimillionaire. oh wait china and ukraine did that illegally.,United States of America,Arizona,AZ,Joe Biden,0,-0.4\r\n423,10/22/2020,joebiden we are behind you joe. this is your moment and all has led to this place for you ---to lead the country with your wisdom experience patience intelligence and ability to bring us together once and for all. have a great debate joebiden.,United States of America,Maryland,MD,Joe Biden,1,0.4\r\n424,10/22/2020,joebiden welcome to nashville joebiden . let\xe2\x80\x99s turn this state blue  biden voteblue,United States of America,Tennessee,TN,Joe Biden,2,0\r\n425,10/22/2020,joebiden will be more successful in finding yeti than a productive bipartisan commission on scotus. pack the court and move on. there is a lot of work ahead at home and abroad to recover from the damages of the last few years.,United States of America,Texas,TX,Joe Biden,2,0\r\n426,10/22/2020,joebiden with an angry slash a four-year-long blade deeply divided this nation like no weapon before it. if the usa is to be made whole again we must find a way to stitch our open wound. i choose to operate with anagrams myself joebiden = bejoined bejoinedbyjoebiden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n427,10/22/2020,joebiden\xe2\x80\x99s bank account funded by china is a national security issue,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n428,10/22/2020,johncardillo i wish my dad was still here to hug and kiss me. joebiden is the dad we should all hope to be.,United States of America,Pennsylvania,PA,Joe Biden,1,0.6\r\n429,10/22/2020,johncardillo my grandfather &amp; his brothers stood 6 ft tall they were sons of a lumberman all of them boxed some became lawyers bankers &amp; all volunteer firefighters. they greeted each other with a hug &amp; a kiss. they were irish as are the bidens. irish biden realmen,United States of America,Colorado,CO,Joe Biden,1,0.2\r\n430,10/22/2020,join us johnfbachman johnfund on newsmax \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 today at 1245pm et. biden economy,United States of America,Florida,FL,Joe Biden,2,0\r\n431,10/22/2020,jon voight said donald trump \xe2\x80\x98must win\xe2\x80\x99 the election and defeat \xe2\x80\x98evil\xe2\x80\x99 biden. read what he said,United States of America,California,CA,Joe Biden,2,0\r\n432,10/22/2020,jpscott1972 tobiasthegeek donaldjtrumpjr realdonaldtrump how you guys are shooting in the dark. like desperate. what deals at best ppl think joebiden is involved because of the term big guy. seriously and people don't even know what deal it is. the ukraine one was already dismissed by a republican committee.  so that's out.,United States of America,New York,NY,Joe Biden,0,-0.5\r\n433,10/22/2020,just as new quinnipiacpoll shows biden and trump tied in texas projectlincoln announces on the yallitics texas political podcast they're spending $4 million in final days of election2020 campaign to thwart trump in texas. listen,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n434,10/22/2020,just for the record folks - and i think i speak on behalf of men  it\xe2\x80\x99s much easier to tuck your shirt in standing up...  i have never and i have never met anyone who had to lie on a bed to do this.  nice try rudygiuliani. this trumpteam is filled with weirdos.  vote joebiden,United States of America,New York,NY,Joe Biden,1,0.1\r\n435,10/22/2020,just when you think the hunterbidenslaptop story could get any more damaging to joebiden and his campaign....this comes out,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n436,10/22/2020,kayleighmcenany realdonaldtrump joebiden aww sweetie if you had trained in o&amp;g law you\xe2\x80\x99d know joebiden is absolutely correct and realdonaldtrump is dead wrong on fracking don\xe2\x80\x99t you have a law school connection you can ask before posting this nonsense election2020 trump biden fracking,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n437,10/22/2020,kwelkernbc if you want to be seen as legitimate on any level the biden laptop scandal must be discussed tonight. debates2020 presidentialdebate2020 presidentialdebate,United States of America,Nevada,NV,Joe Biden,2,0\r\n438,10/22/2020,latinos know. elchacal presidentialdebate2020 debate  trump biden,United States of America,New York,NY,Joe Biden,2,0\r\n439,10/22/2020,lau56 nicolejames \xf0\x9f\x92\x99vote votelikeits2012\xf0\x9f\x92\x99votethemallout2020\xf0\x9f\x92\x99 votebluetosaveamerica votebidenharris2020\xf0\x9f\x92\x99 votebluetoendthisnightmare\xf0\x9f\x92\x99voteblue2020\xf0\x9f\x92\x99 bluewave2020\xf0\x9f\x92\x99votebluetosaveamerica2020\xf0\x9f\x92\x99 voteblue joebiden \xf0\x9f\x92\x99bluebidenharris2020\xf0\x9f\x92\x99 bidenharris\xf0\x9f\x92\x99 votebluenomatterwho\xf0\x9f\x92\x99 saveamerica,United States of America,California,CA,Joe Biden,1,0.5\r\n440,10/22/2020,lesleystahl sounds like she works for biden campaign. mediabubble,United States of America,New York,NY,Joe Biden,2,0\r\n441,10/22/2020,lesliestahl  popefrancis  and joebiden  walked into a bar...trump got bounced out on his pumpkinhead...,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n442,10/22/2020,lesliestahl did you see this from senate investigators just want to check. maybe you can get 60minutes to ask joebiden about it.,United States of America,Arizona,AZ,Joe Biden,2,0\r\n443,10/22/2020,lesliestahl got caught trying to make cover for joebiden and the latest scandal from the obama biden regime. note her laughter denial and use of we can't verify. she isn't this ignorant. 60minutesinterview,United States of America,Minnesota,MN,Joe Biden,0,-0.4\r\n444,10/22/2020,lesliestahl is 100% protecting joebiden. watch the full interview on,United States of America,Arizona,AZ,Joe Biden,1,0.3\r\n445,10/22/2020,let's go joe  -  via facebookwatch   joebiden joebiden2020 kamalaharris kamalaharrisvp,United States of America,California,CA,Joe Biden,1,0.2\r\n446,10/22/2020,let's go to the polls w/director of the marquette law school poll pollsandvotes &amp; johnhowellwls discuss wisconsin presidenttrump joebiden,United States of America,Illinois,IL,Joe Biden,2,0\r\n447,10/22/2020,let\xe2\x80\x99s be fair if donaldtrumps kids ivanka and eric trump cannot benefit from their father politically nor should joebiden\xe2\x80\x99s son hunter biden. 50k a month job when the average median american wage is 48 k for the year according to bureau of labor standards cherrypicking,United States of America,New York,NY,Joe Biden,0,-0.6\r\n448,10/22/2020,let\xe2\x80\x99s be real folx...we\xe2\x80\x99re not voting for biden or trump we\xe2\x80\x99re voting for democracy or facism. it\xe2\x80\x99s that simple.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n449,10/22/2020,littllemel there\xe2\x80\x99s no way there isn\xe2\x80\x99t a tie to joebiden notwithstanding the double negative. where are those emails,United States of America,Massachusetts,MA,Joe Biden,0,-0.5\r\n450,10/22/2020,los problemas legales antimonopolio de google estar\xc3\xadan lejos de terminar si gana biden antimonopolio biden google,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n451,10/22/2020,love biden,United States of America,North Carolina,NC,Joe Biden,1,0.9\r\n452,10/22/2020,lrihendry rlfarrow777 in romulus michigan where i work at a very large online retail company we are selling trump signs hats masks &amp; flags etc over biden at a rate of 50 to 1.  when driving around romulus we saw 40 - 50 trump signs to one lonely pitiful biden sign. landslide,United States of America,Michigan,MI,Joe Biden,0,-0.2\r\n453,10/22/2020,lying barackobama is out helping joebiden i guess menu is good since his policies are a joke to the american not sure how americans voted for the biggest socialist in our country we need to vote realdonaldtrump and draintheswamp,United States of America,California,CA,Joe Biden,0,-0.7\r\n454,10/22/2020,maga2020  make sure grifters like billclinton hillaryclinton joebiden and hunterbiden are cut off from sucking at the taxpayers tit.,United States of America,California,CA,Joe Biden,0,-0.5\r\n455,10/22/2020,majornicholswa prestontvnews komonews realdonaldtrump joebiden jorgensen4potus who said biden would be their second choice  changemymind  perhaps her wouldn't even be their third.  omg wow,United States of America,Wisconsin,WI,Joe Biden,1,0.2\r\n456,10/22/2020,man arrested in kannapolis with van full of guns and explosives researched killing joebiden. presidentialdebate2020,United States of America,New York,NY,Joe Biden,2,0\r\n457,10/22/2020,markjacob16 they learned from the past political foe this is as recent as the obama administration with clinton emails and joebiden china and ukraine corruption but not once you ppl acknowledge the truth except the lies by the media and protecting the liberalhacks,United States of America,California,CA,Joe Biden,0,-0.8\r\n458,10/22/2020,maryland man james reed charged with threatening to kidnap former vp joe biden sen. kamala harris in letter left at frederick home  biden threat arrest crime politics election,United States of America,Maryland,MD,Joe Biden,0,-0.6\r\n459,10/22/2020,maybe one reason i'm seeing a few more trump yard signs than biden signs is that more trump supporters can afford yards. justsayin,United States of America,Florida,FL,Joe Biden,2,0\r\n460,10/22/2020,meiselasb suburban mom here who voted -biden/harris early... trumpispathetic he dishes bs out daily but thinks asking a tough question is rude what a fricken loser,United States of America,Louisiana,LA,Joe Biden,0,-0.5\r\n461,10/22/2020,michaelbeatty3 jali_cat if you haven't figured it out yet joebiden and his son hunterbiden are a pair of first class thieving lying scumbags. the evidence is irrefutable. hunterbidenlaptop ukrainejoe chinajoe patriotsunited patriotsunited4donaldtrump,United States of America,Colorado,CO,Joe Biden,1,0.2\r\n462,10/22/2020,mmfa why would biden name rudy colludie as fbi director when he is under investigation.,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n463,10/22/2020,more bombshells nypost joebiden hunterbiden,United States of America,Georgia,GA,Joe Biden,1,0.2\r\n464,10/22/2020,msnbc kwelkernbc deliver the knock out blow tonight joebiden  debate2020 biden biden2020 bidenharrislandslide2020,United States of America,New York,NY,Joe Biden,0,-0.1\r\n465,10/22/2020,my latest - biden isn\xe2\x80\x99t speaking to young black men \xe2\x80\x94 but he could entrepreneurship election2020,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n466,10/22/2020,my new article in morningbrussels explores what a joebiden presidency would look like if the gop retains control of the senate  republicans mitchmcconnell moscowmitch flipthesenateblue flipthesenate,United States of America,New York,NY,Joe Biden,2,0\r\n467,10/22/2020,my vote goes to joe biden kamala harris i don\xe2\x80\x99t want another four years of trump he\xe2\x80\x99s fucked up this country enough  joebiden votebidenharristosaveamerica 2020election vote2020,United States of America,Ohio,OH,Joe Biden,0,-0.7\r\n468,10/22/2020,my vote has been counted bidenharris2020 joebiden votejoe \xf0\x9f\x92\x99\xf0\x9f\x97\xb3\xf0\x9f\x87\xba\xf0\x9f\x87\xb8  pensacola florida,United States of America,Florida,FL,Joe Biden,2,0\r\n469,10/22/2020,nancypelosi corruption liberalmedia joebiden hunterbiden,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n470,10/22/2020,neverbiden biden maga2020 trump2020,United States of America,Arizona,AZ,Joe Biden,1,0.3\r\n471,10/22/2020,new this morning    news from joebiden about the court system if he's elected.,United States of America,Arizona,AZ,Joe Biden,2,0\r\n472,10/22/2020,new \xe2\x80\x9cfarrell censorship of the biden story.\xe2\x80\x9d read,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n473,10/22/2020,no matter what the msm says biden is a threat to national security and to the american people china ukraine kerry pelosi all have children that \xe2\x80\x9cwork\xe2\x80\x9d in ukraine when the media refuses to acknowledge this they are complicit i know we all want to protect our kids but this,United States of America,Texas,TX,Joe Biden,0,-0.9\r\n474,10/22/2020,no weapon formed against joebiden and kamalaharris shall prosper every tongue that rises up against them shall be condemned in jesus name,United States of America,New York,NY,Joe Biden,0,-0.3\r\n475,10/22/2020,not a joebiden rally. trump2020 trump2020tosaveamerica trump2020landslide trump2020nowmorethanever electionday hunterbidenemails hunterbiden hunterbidenslaptop,United States of America,Nevada,NV,Joe Biden,0,-0.1\r\n476,10/22/2020,now this is how you politely inform someone about something they weren't aware of thanks jonathanalter. i appreciate you let us not as a coalition use trump's kind of rude ill-mannered divisiveness it's so so toxic god bless everyone and... good morning\xf0\x9f\x87\xba\xf0\x9f\x87\xb2 joebiden\xf0\x9f\x92\xaf,United States of America,Missouri,MO,Joe Biden,0,-0.2\r\n477,10/22/2020,nprpubliceditor right npr nothing here \xe2\x80\x9ci just saw behind the biden  curtain and i grew concerned with what i saw\xe2\x80\x9d he said. \xe2\x80\x9cthe biden family aggressively leveraged the biden family name to make millions of dollars from foreign entities even though some were from communist-controlled china.\xe2\x80\x9d,United States of America,New York,NY,Joe Biden,0,-0.5\r\n478,10/22/2020,nyt ks poll. trump by 8 49-41. marshall by 4 46-42. 755 likely voters. oct. 18-20. moe 4%. final ks. senate debate tonight in wichita. kspotus kssen trump biden rogermarshall barbarabollier kmbc,United States of America,Missouri,MO,Joe Biden,2,0\r\n479,10/22/2020,obama calls on voters to hand trump a clear defeat via \xe2\x81\xa6sahilkapur\xe2\x81\xa9 biden 2020election pennsylvania,United States of America,New York,NY,Joe Biden,0,-0.3\r\n480,10/22/2020,obama gave an amazing speech for joe beijing barry \xf0\x9f\x98\x82\xf0\x9f\x98\x82biden2020landslide beijingbarry obama barackobama joebiden joebiden2020,United States of America,Texas,TX,Joe Biden,1,0.9\r\n481,10/22/2020,obama got carted out to essentially say that biden was among the living.,United States of America,New York,NY,Joe Biden,0,-0.1\r\n482,10/22/2020,obama reaparece para atacar a trump y pide el voto para biden -  evnews barackobama joebiden eeuu,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n483,10/22/2020,obama reaparece para atacar a trump y pide el voto para biden -  evnews barackobama joebiden eeuu,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n484,10/22/2020,obama to make campaign push for biden in battleground pennsylvania. obama biden pa reuters,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n485,10/22/2020,of course he won't because the american people will not elect a mentally diminished crime lord who sold out his own country to china. biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n486,10/22/2020,oh man. i\xe2\x80\x99m crying. this is beautiful. this is why he has my vote. this is who joebiden  is. we need more of this and a whole lot less of what we\xe2\x80\x99ve had for the past 4 years. thanks to whoever shared this \xe2\x9d\xa4\xef\xb8\x8f,United States of America,Arizona,AZ,Joe Biden,1,0.2\r\n487,10/22/2020,oh oh just days before the election the  joebiden campaign has stalled election2020   supporters fo help at torrence and the tri state,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n488,10/22/2020,oh s......\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f biden,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n489,10/22/2020,pelosi shuts down reporter asking question on joe biden's 'corruption'.  via youtube joebiden hunterbidenlaptop bidencrimefamiily,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n490,10/22/2020,pennsylvania pa michigan hunters joebiden wants to take your guns away look into this issues and on his website about guns,United States of America,Pennsylvania,PA,Joe Biden,0,-0.7\r\n491,10/22/2020,people especially these kids in their 20\xe2\x80\x99s keep saying they want to vote joebiden to \xe2\x80\x9cget back to normal\xe2\x80\x9d. the obama biden years weren\xe2\x80\x99t normal. in fact anything that\xe2\x80\x99s not pre-9/11 isn\xe2\x80\x99t \xe2\x80\x9cnormal\xe2\x80\x9d.,United States of America,California,CA,Joe Biden,0,-0.6\r\n492,10/22/2020,please vote its your right vote biden support,United States of America,New York,NY,Joe Biden,2,0\r\n493,10/22/2020,politics_polls quinnipiacpoll keep rocking biden,United States of America,Washington,WA,Joe Biden,1,0.9\r\n494,10/22/2020,polls do not equal winning vote vote biden bidenharristosaveamerica bidenharris2020,United States of America,Tennessee,TN,Joe Biden,0,-0.8\r\n495,10/22/2020,potus biden not hiding is prepping for thursday debate. anticipate him to campaign significantly after debate leading up to election.,United States of America,Colorado,CO,Joe Biden,0,-0.2\r\n496,10/22/2020,potus fbi says iran &amp; russia hacked pb servers to send threatening texts to voters to vote trump. biggest oxymoron in history - both would celebrate a biden win. makes one wonder what kind of disinformation campaign this is and who would believe it,United States of America,Colorado,CO,Joe Biden,0,-0.2\r\n497,10/22/2020,powerful traitortrump trumpisnotwell trumpisnotamerica joebiden joebidensneighborhood integrity votebidenharristosaveamerica voteearly vote,United States of America,Texas,TX,Joe Biden,1,0.6\r\n498,10/22/2020,president trump to bring ex-hunter biden associate tony bobulinski who confirmed e-mail authenticity to debate tonight.breakingnewsnow breaking_news breakingnews breakingnewz breakingnow breaking hunterbiden biden chinese cn chinasellout presidentialdebate bobulinski,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n499,10/22/2020,president trump to bring ex-hunter biden associate tony bobulinski who confirmed e-mail authenticity to debate tonight.breakingnewsnow breaking_news breakingnews breakingnewz breakingnow breaking hunterbiden biden debate20 debatenightinamerica tonybobulinski,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n500,10/22/2020,president trump to bring ex-hunter biden associate tony bobulinski who confirmed e-mail authenticity to debate tonight.breakingnewsnow breaking_news breakingnews breakingnewz breakingnow breaking hunterbiden biden debate2020 biden20 joebiden20 biden2020 joebiden2020,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n501,10/22/2020,president trump to bring ex-hunter biden associate tony bobulinski who confirmed e-mail authenticity to debate tonight.breakingnewsnow breaking_news breakingnews breakingnewz breakingnow breaking hunterbiden biden presidenttrump trump presidentdonaldtrump donaldtrump,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n502,10/22/2020,president trump\xe2\x80\x99s \xe2\x80\x9cair force one\xe2\x80\x9d boeing vc-25a aircraft has departed washington dc and is headed towards nashville for tonight\xe2\x80\x99s debate against challenger biden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n503,10/22/2020,pretty much all biden really has to do tonight is just stand there and smile confidently while trump whines and snorts like a spoiled brat. debates2020,United States of America,New York,NY,Joe Biden,2,0\r\n504,10/22/2020,pretty remarkable even for twitter jack to censor my biden tweet. trump,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n505,10/22/2020,psa debate is 8ct/9est. math trump biden,United States of America,Kentucky,KY,Joe Biden,2,0\r\n506,10/22/2020,radio_martin jsforelle otter7772 bidenismypotus 216topher suzannii pranakhan keyboardkid206 clembos navillusesereht cupcakesforyou7 egyptiansteven refuse_resist1 tracimac70 esmia62 great message. unite strongertogether joebiden kamalaharris,United States of America,California,CA,Joe Biden,1,0.5\r\n507,10/22/2020,rapper 50cent says 'vote for trump' after biden unveils proposed tax plan,United States of America,Arizona,AZ,Joe Biden,0,-0.1\r\n508,10/22/2020,ratcliffe drops and obfuscates today because president obama is tearing up the joint. obamainphilly obamawasbetterateverything obama biden bidenharris,United States of America,California,CA,Joe Biden,0,-0.1\r\n509,10/22/2020,re the joebiden nypost story. he made over $10 million dollars after he was no longer in office likely from china. so what to me what\xe2\x80\x99s troubling is when he bragged about using  his position as vp to help hunterbiden earn more money whether or not it was in the us interests,United States of America,Nevada,NV,Joe Biden,0,-0.5\r\n510,10/22/2020,realdonaldtrump 60minutes groovy crazypants i\xe2\x80\x99ll pop some corn. biden maskup vote,United States of America,Florida,FL,Joe Biden,1,0.3\r\n511,10/22/2020,realdonaldtrump biden has not said whether he\xe2\x80\x99d pack the courts,United States of America,California,CA,Joe Biden,0,-0.4\r\n512,10/22/2020,realdonaldtrump couldn\xe2\x80\x99t remember if he was tested for coronavirus before the last debates2020 so remember that when he insists his mental capacities are better than joebiden barackobama &amp; georgebush combined except for abrahamlincoln maybe but some say more than abe also,United States of America,California,CA,Joe Biden,1,0.1\r\n513,10/22/2020,realdonaldtrump hace rally en pennsylvania y demuestra video de joebiden y kamalaharris prometiendo eliminar la industrial petrol de fracking y toda clase de petrol f\xc3\xb3sil en eeuu.,United States of America,New Jersey,NJ,Joe Biden,1,0.2\r\n514,10/22/2020,realdonaldtrump no one is taking your 2nd amendment rights away. the only candidate fighting to take our democracy away is heir drump. he is a dictator at it's finest holds private bank accounts in china and pays income taxes 10 times what he paid here in the us bends over for putin. biden,United States of America,Colorado,CO,Joe Biden,0,-0.3\r\n515,10/22/2020,realdonaldtrump thanks to your horrible leadership my husband will be out of work until next spring. i took a minimum wage part time job. i'm a 51 yo actor w/a college degree and i'm delivering food on foot in nyc. that's what you're running against. saturday morning i'm voteearly biden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n516,10/22/2020,realdonaldtrump which is a weird claim - since the stockmarket grew at a faster rate under joebiden and obama.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n517,10/22/2020,realdonaldtrump which presidential candidate is a registered gun owner joebiden is and has been for most of his life. so stop trying to con folks out of their votes little donnie. liar,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n518,10/22/2020,realdonaldtrump whitehouse 60minutes planning plays a big role. one of your many schemes for tonight\xe2\x80\x99s debate. another win for biden,United States of America,California,CA,Joe Biden,1,0.2\r\n519,10/22/2020,realdonaldtrump you've recklessly taken us to the brink of one. now we must dig ourselves out of your mess.  the first step elect joebiden.,United States of America,California,CA,Joe Biden,0,-0.5\r\n520,10/22/2020,realjameswoods antifa was just an idea amycomeybarrett antifa biden democrats maga,United States of America,California,CA,Joe Biden,0,-0.4\r\n521,10/22/2020,realjameswoods the debate just became very interesting. potus has invited hunterbiden  former business partner tony bobulinski who has claimed the emails were legit and joebiden is the big guy,United States of America,North Carolina,NC,Joe Biden,1,0.6\r\n522,10/22/2020,realjameswoods the dems knew this all along biden is just the straw man. the democrats just want harris and will throw joe under the bus in a second if they get elected,United States of America,North Dakota,ND,Joe Biden,0,-0.1\r\n523,10/22/2020,reasons to vote for joe  biden2020 joebiden biden vote,United States of America,Texas,TX,Joe Biden,1,0.3\r\n524,10/22/2020,rediscover america \xe2\x80\x9cfrom the very poignant wide river to the hilarious why men cheat in august every story was a jewel.\xe2\x80\x9d-goodreads. \xe2\x80\x9c well written thought-provoking book.\xe2\x80\x9d amazon. cnn msnbc  trump vote biden foxnews nytimes washingtonpost ya,United States of America,California,CA,Joe Biden,1,0.4\r\n525,10/22/2020,repsforbiden if sleepyjoe can\xe2\x80\x99t handle more than 1 day or 1 hour w/o taking a 5 day break - answering any tough questions or telling the truth then he can\xe2\x80\x99t handle being potus joebiden 60minutesinterview trump accountabilityofmedia countryoverparty freedom votetrump2020tosaveamerica,United States of America,California,CA,Joe Biden,0,-0.8\r\n526,10/22/2020,retweeting this joebiden clip as a reminder in this 2020election that nobody knows challenges we will face in 2021-2024\xe2\x80\x94but we do know the character and values of those who will navigate us through biden greets parkland victims and family,United States of America,Washington,WA,Joe Biden,0,-0.1\r\n527,10/22/2020,riden wirh biden,United States of America,Colorado,CO,Joe Biden,1,0.2\r\n528,10/22/2020,saw this sign in someone\xe2\x80\x99s yard and had to share dumptrump joebiden dumptrumperdinck,United States of America,Ohio,OH,Joe Biden,0,-0.3\r\n529,10/22/2020,see you\xe2\x80\x99re making a big mistake. they were actually talking about joe namath. not joebiden.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n530,10/22/2020,senior space officials met to \xe2\x80\x9cwar game\xe2\x80\x9d biden administration space policy arstechnica   sciguyspace,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n531,10/22/2020,senschumer ouch ouch ouch.......  his plan is not to have a plan.  joebiden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n532,10/22/2020,sharylattkisson a man who is unfit to campaign for himself is unfit for the presidencey. biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n533,10/22/2020,sharylattkisson biden cannot be exposed to anyone who will ask about hunter\xe2\x80\x99s laptop,United States of America,Nevada,NV,Joe Biden,0,-0.4\r\n534,10/22/2020,sick and disgusting...if true. joebiden joebidenkamalaharris2020 maga2020landslide maga kag kag2020 trump2020tosaveamerica bidenharris2020 hunterbidenemails hunterbiden,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n535,10/22/2020,simple question. why are absentee ballots being sent out to people that never requested them what causes that cnn npr abc nbcnews media democrats republicans vote voterfraud election2020 trump biden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n536,10/22/2020,since kwelkernbc is moderating the final presidentialdebate between realdonaldtrump vs. joebiden in less than 4 hours biden is going to lay a smackdown against trumpthetaxcheat immediately because trump is going to cry \xf0\x9f\x98\xa2 like a baby \xf0\x9f\x91\xb6 just before the 11 o\xe2\x80\x99clock news.,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n537,10/22/2020,so 50cent is endorsing president trump because the biden tax plan sucks.,United States of America,Nevada,NV,Joe Biden,0,-0.8\r\n538,10/22/2020,so i just watched my forever potus\xe2\x80\x99 barackobama\xe2\x80\x99s stump speech for biden and i\xe2\x80\x99m literally in tears.\xf0\x9f\xa5\xba i miss him so much.\xe2\x9d\xa4\xef\xb8\x8f he dragged trump to no end for the pure filth he is... \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbe\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbe\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbe beijingbarry obamawasbetterateverything obama obamainphilly bidenharris2020,United States of America,Georgia,GA,Joe Biden,2,0\r\n539,10/22/2020,so many gay men would love to have a supportive loving unabashedly proud father like the one in this photo. i applaud joebiden for the love he shows his son and hope we all can be a little kinder. joebiden joebidensneighborhood bidenharris2020,United States of America,Massachusetts,MA,Joe Biden,1,0.7\r\n540,10/22/2020,so on nov. 3 are you voting for hunter biden or the 3 trumpettes or are none of them on the ballot election2020 trump biden,United States of America,New York,NY,Joe Biden,0,-0.6\r\n541,10/22/2020,soledadobrien hes whispering where to wire the funds biden democratsfortrump,United States of America,New York,NY,Joe Biden,0,-0.2\r\n542,10/22/2020,speakupnowornev \xf0\x9f\x97\xa3\xef\xb8\x8f\xf0\x9f\x92\xac i'm not biden on this situation. but i would say that the democrats should &amp; will pack the courts. why because i'd make the simple case to voters that the gop said it was okay to do so from their actions before &amp; after barackobama arrived &amp; left the white house.\xe2\x9a\x96\xef\xb8\x8f\xf0\x9f\x8f\x9b\xef\xb8\x8f\xf0\x9f\xa4\xb5\xf0\x9f\x8f\xbf\xf0\x9f\x97\xb3\xef\xb8\x8f,United States of America,New York,NY,Joe Biden,0,-0.5\r\n543,10/22/2020,starting to realize how deep the hunterbidenemails will go. former associates are starting to flip. bobulinski cooney  time to keep a watchful eye on others with ties to hunterbiden &amp; joebiden.,United States of America,Alabama,AL,Joe Biden,0,-0.1\r\n544,10/22/2020,stevenbeschloss wwe moves. wouldn\xe2\x80\x99t put it past him. he might try to tackle joebiden   bring security. also he\xe2\x80\x99ll be yelling in the background. he will never shut up. hope joebiden bring ear plugs.,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n545,10/22/2020,sundae_gurl but if he didn't vote for biden  then that's basically equivalent to voting for trump. and why even come out and say anything if intent is to endure wrath of gop then at least make it count. romney still can't do the honorable thing. this is token at best.,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n546,10/22/2020,sure whatever you say donald. obamawasbetterateverything obamainphilly biden trumpisanationaldisgrace trumpchinesebankaccount trumpisaracist trumpisacoward trumpisaloser votebidenharristosaveamerica votehimout votehimoutandlockhimup byedon2020,United States of America,California,CA,Joe Biden,1,0.2\r\n547,10/22/2020,texasrepublicans blast trump on conference call urge gop voters to cast ballots for joebiden,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n548,10/22/2020,that fort around joebiden\xe2\x80\x99s house. i built way better shit than that when i was 8 in hills of pittsburgh.,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n549,10/22/2020,the 2000 year old man endorses joe biden ...or is it byedon,United States of America,Connecticut,CT,Joe Biden,2,0\r\n550,10/22/2020,the beastie boys allowed one of their tunes to be used in a joebiden ad. so selling that funky painting was not sabotage.,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n551,10/22/2020,the biden email scandal only continues to grow.,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n552,10/22/2020,the final presidential debate is on tune into news 12 tonight at 830pm for a preview then watch the sparks fly live at 9pm and stay with us after for our post-debate analysis. news12 presidentialdebate trump biden vote2020,United States of America,New York,NY,Joe Biden,1,0.1\r\n553,10/22/2020,the mainstreammedia and democrats have spent 4 years trying to paint the trump family as corrupt. which is funny because that actually appears to be the biden family. swampcreaturejoe hunterbiden drainthedcswamp,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n554,10/22/2020,the president has spent more time focused on lesley stahl this week than he has on the covid-19 pandemic. let that sink in. joebiden,United States of America,Oregon,OR,Joe Biden,0,-0.1\r\n555,10/22/2020,the takeaway would us-turkey ties get better or worse if biden wins  by atparasiliti,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n556,10/22/2020,the truth will set you free. trump2020landslide biden trump campaign blasts bidens over 'blatant selling of access',United States of America,Texas,TX,Joe Biden,0,-0.1\r\n557,10/22/2020,thehill biden we know what you are hoping for and that is to not have any questions about your dealings with china &amp; ukraine. you can hope in one and &amp;^%$ in the other and see which one fills up first. realdonaldtrump presssec kayleighmcenany,United States of America,Texas,TX,Joe Biden,2,0\r\n558,10/22/2020,them baw said trump vs biden is like asking do you wanna eat shit for breakfast are do you wanna eat throw up for breakfast \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f. biden trump debates2020,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n559,10/22/2020,there\xe2\x80\x99s not much else to say here folks. \xf0\x9f\x99\x8f\xf0\x9f\x8f\xbb\xf0\x9f\xa5\xb0\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xf0\x9f\x92\xab love authenticity joebiden joebiden2020 bidenharrislandslide2020,United States of America,California,CA,Joe Biden,1,0.4\r\n560,10/22/2020,therickwilson yeah...that was good. real good...ok i cried. i have a son..and a grandson....they deserve better much better...make america good again. votejoe biden/harris,United States of America,Arizona,AZ,Joe Biden,1,0.3\r\n561,10/22/2020,this is joebiden bidenharristosaveamerica,United States of America,California,CA,Joe Biden,1,0.2\r\n562,10/22/2020,this is the hard-hitting coverage of the biden campaign america has been looking for,United States of America,New York,NY,Joe Biden,1,0.9\r\n563,10/22/2020,this is what i want in a president. i mean among policy positions of course. biden bidenharris2020,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n564,10/22/2020,this is why we all should vote for joebiden,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n565,10/22/2020,this man....such a beautiful soul. biden bidenharris2020 bidenharristosaveamerica,United States of America,Virginia,VA,Joe Biden,1,0.6\r\n566,10/22/2020,this where they will throw everything and the kitchen sink against the wall to see what sticks. all in the purpose of saving on fucking \xe2\x80\x9ctaxes\xe2\x80\x9d that all americans should pay. the 1% isn\xe2\x80\x99t enough of a base to win this one so all of you should just fuck off blm biden smfh,United States of America,Ohio,OH,Joe Biden,0,-0.8\r\n567,10/22/2020,those are the facts mam. just the facts. joefriday joebiden,United States of America,Tennessee,TN,Joe Biden,2,0\r\n568,10/22/2020,thursday live tunein ahoraoscarhaza 8pm  donaldtrump joebiden debate election decisions florida vote republican  democrats thursdaythoughts,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n569,10/22/2020,tiffany trump on her way to vote for biden biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n570,10/22/2020,tomselliott speakerpelosi true the biden 's are a different virus... but i'd have to say way more destructive.... chinajoebiden,United States of America,Kentucky,KY,Joe Biden,0,-0.1\r\n571,10/22/2020,tonight for the first time ever someone will have the power to shut trump up.     vote biden trump debates2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n572,10/22/2020,tonight really is must see tv final presidentialdebate2020 biden trump kristenwelker,United States of America,Illinois,IL,Joe Biden,1,0.9\r\n573,10/22/2020,tonybobulinski censorship biden,United States of America,New York,NY,Joe Biden,0,-0.8\r\n574,10/22/2020,trump should ask biden at debate2020 if he would vote to confirm amyconeybarrett yes or no. cc hogangidley45,United States of America,California,CA,Joe Biden,0,-0.3\r\n575,10/22/2020,trump vs. biden on 3 key issues important to christian voters,United States of America,Washington,WA,Joe Biden,2,0\r\n576,10/22/2020,trumpispathetic but biden is worse he's been ripping america off for 47 years biden never did a dam thing unless he he made money  trump2020tosaveamerica trump,United States of America,California,CA,Joe Biden,0,-0.8\r\n577,10/22/2020,tweetninjaio cookbeastio dinoaio twilightproxies joebiden,United States of America,Florida,FL,Joe Biden,1,0.3\r\n578,10/22/2020,twittermoments this is the nail in the coffin for the gopcomplicittraitors everyone knew she would be nominated so now biden will have to answer about how to set up a fairer scotus. balancethecourts to better serve the american quilt.,United States of America,California,CA,Joe Biden,0,-0.2\r\n579,10/22/2020,unbelievable \xf0\x9f\x99\x8f\xf0\x9f\x8f\xbe donaldtrump joebiden covid19 covid presidentialdebate cnn breakingnews coronavirus trump biden bidenharris2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.7\r\n580,10/22/2020,vote for change vote for biden votebluedowntheballot,United States of America,Connecticut,CT,Joe Biden,2,0\r\n581,10/22/2020,vote like it\xe2\x80\x99s 1940 chrisevans joebiden joebiden joebiden2020 kamalaharris bidenharris2020 biden2020 biden captainamerica captainamericaedit marvel chrisevans trump2020 donaldtrump trumppence2020 trumpmemes maga maga2020 proudboys\xf0\x9f\x8c\x88 mikepence vote,United States of America,New Jersey,NJ,Joe Biden,1,0.3\r\n582,10/22/2020,wakeup wakeup democratsaredestroyingamerica biden vote makenewyorkgreatagain,United States of America,California,CA,Joe Biden,1,0.2\r\n583,10/22/2020,washtimes not a good take for joebiden. maybe he has walked away but i never have.,United States of America,Ohio,OH,Joe Biden,0,-0.6\r\n584,10/22/2020,watch bidencrimefamiily bidenharris2020 joebiden crookedbiden,United States of America,Texas,TX,Joe Biden,1,0.1\r\n585,10/22/2020,watch live donaldtrump and joebiden face off in final presidential debate,United States of America,California,CA,Joe Biden,0,-0.2\r\n586,10/22/2020,we should all aspire to provide as much comfort to those in need as joebiden,United States of America,Ohio,OH,Joe Biden,1,0.6\r\n587,10/22/2020,well that\xe2\x80\x99s not the neighbor i would have expected to put up a biden sign but i\xe2\x80\x99ll take it pickettbri,United States of America,New York,NY,Joe Biden,0,-0.1\r\n588,10/22/2020,welp there it is. clear evidence of joe biden leveraging his position for personal gain via the chinese communist party. spelled out via direct witness w/ corroborating testimony. how do we fix this two-tiered legal system realdonaldtrump biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n589,10/22/2020,welp this is playing right into the debate time line. will the moderator actually grill joebiden  doubtful votethemallout bidenharris2020 trump2020,United States of America,Tennessee,TN,Joe Biden,0,-0.3\r\n590,10/22/2020,welp. let\xe2\x80\x99s see how this goes. finaldebate trump biden,United States of America,Maryland,MD,Joe Biden,2,0\r\n591,10/22/2020,wendysuer foxnews oh yes i remember the riots of baltimore/ferguson with merriment 5 cops shot in dallas fondly. i remember our biggest enemy iran getting billions in cash for more chanting death to america. i remember joebiden lining his pockets with ukraine cash for firing prosecutor,United States of America,Arizona,AZ,Joe Biden,0,-0.3\r\n592,10/22/2020,went and voted for joebiden and kamalaharris today and never felt better bring the us i knew when barackobama was president back again,United States of America,Minnesota,MN,Joe Biden,1,0.3\r\n593,10/22/2020,what a wonderful father/son photo. i respect and admire joebiden and every single member of his family. they have all fought so bravely. \xe2\x9d\xa4\xef\xb8\x8f,United States of America,Texas,TX,Joe Biden,1,0.7\r\n594,10/22/2020,what\xe2\x80\x99s crazy is that this is nothing compared to what our mainstream state media does on a daily basis.  bidenlaptop biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n595,10/22/2020,when \xe2\x80\x9crussia\xe2\x80\x9d was interfering in the 2016 election it was trumps fault. but when iran interferes in 2020 to help biden he has nothing to do with it. got it.,United States of America,California,CA,Joe Biden,0,-0.3\r\n596,10/22/2020,where's hunter biden,United States of America,Florida,FL,Joe Biden,2,0\r\n597,10/22/2020,who are voting for this election i\xe2\x80\x99m voting for tricity so vote for tricity... electricity  election2020 debates2020 biden vote,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n598,10/22/2020,who did it better nickiminaj nickiminaj biden askmeek blacklivesmatter nicki,United States of America,Ohio,OH,Joe Biden,2,0\r\n599,10/22/2020,will this sink the biden campaign election2020,United States of America,Texas,TX,Joe Biden,1,0.1\r\n600,10/22/2020,wow read this just released how trump and the gop moved $8.1 million of donor money into the president\xe2\x80\x99s business vote taxes trump campaignfunds biden scotus pelosi election2020 senate florida obama amycomeybarrett,United States of America,Georgia,GA,Joe Biden,0,-0.7\r\n601,10/22/2020,you have some nerve you pos you your pos father &amp; the rest of your siblings are the epitome of corruption lies and deceit  realdonaldtrump is the most incompetent corrupt potus in american history &amp; the only ppl failing for your bullshit is your cultust base \xf0\x9f\x96\x95\xf0\x9f\x8f\xbb\xf0\x9f\x96\x95\xf0\x9f\x8f\xbb\xf0\x9f\x96\x95\xf0\x9f\x8f\xbbbiden,United States of America,Missouri,MO,Joe Biden,0,-0.9\r\n602,10/22/2020,you haven't lived to your ideals biden  but the american people have,United States of America,Maryland,MD,Joe Biden,1,0.3\r\n603,10/22/2020,you know it is possible for trump to be a loathsome human being and for joebiden to be thoroughly corrupt.,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n604,10/22/2020,you means too say joebiden wants to flaunt the us constitution,United States of America,North Carolina,NC,Joe Biden,0,-0.6\r\n605,10/22/2020,you want real debate analysis come to your local firehouse. debates2020 trump biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n606,10/22/2020,your vote matters. but cancer doesn't care about your politics. claim your free membership to cancer u.  uselection trump biden votes republican democrat cancer healthcare giveaway win health caregivers patients,United States of America,Alabama,AL,Joe Biden,0,-0.4\r\n607,10/22/2020,yuri knows what's up thank you to this brave man. joebiden berniesanders antifa communism will never win,United States of America,Oregon,OR,Joe Biden,2,0\r\n608,10/22/2020,\xe2\x80\x9chunter biz partner details joe biden's china dealings goodwin\xe2\x80\x9d \xe2\x81\xa6nypost\xe2\x81\xa9  biden communistchina,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n609,10/22/2020,\xe2\x80\x9ci\xe2\x80\x99ve seen vice president biden saying he never talked to hunter about his business\xe2\x80\x9d says bobulinski. \xe2\x80\x9ci\xe2\x80\x99ve seen firsthand that that\xe2\x80\x99s not true because it wasn\xe2\x80\x99t just hunter\xe2\x80\x99s business they said they were putting the biden family name and its legacy on the line.\xe2\x80\x9d joebiden,United States of America,Colorado,CO,Joe Biden,0,-0.3\r\n610,10/22/2020,\xe2\x80\x9ci\xe2\x80\x99ve seen vice president biden saying he never talked to hunter about his business\xe2\x80\x9d says bobulinski. \xe2\x80\x9ci\xe2\x80\x99ve seen firsthand that that\xe2\x80\x99s not true because it wasn\xe2\x80\x99t just hunter\xe2\x80\x99s business they said they were putting the biden family name and its legacy on the line.\xe2\x80\x9d joebiden,United States of America,Colorado,CO,Joe Biden,0,-0.3\r\n611,10/22/2020,\xe2\x80\x9ci\xe2\x80\x99ve seen vice president biden saying he never talked to hunter about his business\xe2\x80\x9d says bobulinski. \xe2\x80\x9ci\xe2\x80\x99ve seen firsthand that that\xe2\x80\x99s not true because it wasn\xe2\x80\x99t just hunter\xe2\x80\x99s business they said they were putting the biden family name and its legacy on the line.\xe2\x80\x9d joebiden,United States of America,Colorado,CO,Joe Biden,0,-0.3\r\n612,10/22/2020,\xe2\x80\x9cthe most important election of our lifetime....what we do now these next 13 days will matter for decades to come.\xe2\x80\x9d - barack obama bidenharris2020 votebiden joebiden trumpisaloser countryoverparty bidencoalition joewillleadus whitehouse trumpisalaughingstock,United States of America,Oregon,OR,Joe Biden,1,0.1\r\n613,10/22/2020,\xe2\x80\x9cthere is nothing to make us feel comfortable  kmcradio . we have to be concerned that china has bought joebiden . if joebiden wins november 3rd it will have placed someone in the oval office.\xe2\x80\x9d - gordongchang this segment with kevin,United States of America,New York,NY,Joe Biden,0,-0.3\r\n614,10/22/2020,\xe2\x9d\xa4\xe2\x9d\xa4\xe2\x9d\xa4 internationalstutteringawarenessday joebiden bidenharris2020,United States of America,New York,NY,Joe Biden,1,0.4\r\n615,10/22/2020,\xf0\x9f\x91\x89 election2020 8 terrifying things you need to know about biden's economic agenda ampfw,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n616,10/22/2020,\xf0\x9f\x92\xaf courtpencil cintyvoo adeleatplay joebiden hunterbiden bidenharris2020,United States of America,New York,NY,Joe Biden,1,0.4\r\n617,10/22/2020,\xf0\x9f\x93\xa3 new podcast ep. 17 character is on trial biden and trump face-off america needs healing not division on spreaker america_in_crisis american_politics biden character cnn covid19 innovation_nurse_fellow johnson_and_johnson mental,United States of America,Arizona,AZ,Joe Biden,0,-0.5\r\n618,10/22/2020,\xf0\x9f\x94\xb4 live podcast 22 october 2020 on spreaker 2020election biden blacklivesmatter trump,United States of America,New York,NY,Joe Biden,2,0\r\n619,10/22/2020,\xf0\x9f\x98\xb2\xf0\x9f\xa4\x94trump y biden se enfrentan hoy en \xc3\xbaltimo debate antes de elecciones  noticiascristianas donaldtrump joebiden eleccioneseneeuu politica debate,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n620,10/23/2020,hey liar really joe you just lied to entire world joebiden joebiden   realdonaldtrump realdonaldtrump  realdonaldtrump,United States of America,Colorado,CO,Joe Biden,0,-0.8\r\n621,10/23/2020,this is the quote trump was raving about have a field day debates2020 trumpispathetic trumpmeltdown biden  presidentialdebate2020,United States of America,Ohio,OH,Joe Biden,2,0\r\n622,10/23/2020,trump environment biden,United States of America,California,CA,Joe Biden,2,0\r\n623,10/23/2020,$jimmykimmel on donaldjtrump and joebiden final debate   this is worth watching to the end.  let's all vote.,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n624,10/23/2020,...because it\xe2\x80\x99s totally cool for the united states president to \xe2\x80\x9cjoke\xe2\x80\x9d about injecting bleach when tens of thousands of americans are dying from covid19. yup. very funny... trump biden debate coronavirus,United States of America,New York,NY,Joe Biden,1,0.1\r\n625,10/23/2020,...through anything... anything... to vote for biden and against trump.  votebidenharristosaveamerica,United States of America,Georgia,GA,Joe Biden,1,0.2\r\n626,10/23/2020,.annaforflorida our official resistance candidate \xf0\x9f\x99\x8b\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f \xf0\x9f\x98\x82 hamillhimself. i def need a laugh after stressful biden trump debate2020 \xf0\x9f\x98\xab,United States of America,Florida,FL,Joe Biden,1,0.3\r\n627,10/23/2020,.jennkovaleski biden trump that guy needs to be arrested,United States of America,Colorado,CO,Joe Biden,0,-0.8\r\n628,10/23/2020,.joebiden thank you just imagining no more red states and no more blue states with you as president of the united states. yeswecan joebiden bidenharris vote,United States of America,Florida,FL,Joe Biden,1,0.3\r\n629,10/23/2020,.joebiden will destroy oil &amp; gas in pennsylvania &amp; usa.  wake up. biden fascist.  vote realdonaldtrump maga  kag2020landslidevictory,United States of America,North Carolina,NC,Joe Biden,2,0\r\n630,10/23/2020,11 days to go and polls are looking good for joe biden. i think there\xe2\x80\x99s a chance even if slim that he could get over 370 electoral votes and *maybe* hit 400. vote joebiden,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n631,10/23/2020,11 days.... debates2020 biden votebidenharris,United States of America,New York,NY,Joe Biden,0,-0.2\r\n632,10/23/2020,12 days.  bringithomejoe joebiden joewillleadus debates2020,United States of America,California,CA,Joe Biden,1,0.1\r\n633,10/23/2020,2020debate debatetonight debatetonight debates2020 kamalaharris joebiden,United States of America,California,CA,Joe Biden,1,0.4\r\n634,10/23/2020,2020election haha joebiden,United States of America,Pennsylvania,PA,Joe Biden,1,0.6\r\n635,10/23/2020,2020election immigration joewillleadus joebiden,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n636,10/23/2020,4yrstoday hell yes that would be a disservice to the american people if this was not discussed. biden is part of this,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n637,10/23/2020,500 children separated at the border are still away from their parents  it's criminal  joewillleadus joebiden bidenharris2020,United States of America,California,CA,Joe Biden,0,-0.7\r\n638,10/23/2020,77640 covid cases in one day. biden said it last night&gt;&gt; \xe2\x80\x9cwe\xe2\x80\x99re about to go into a dark winter. a dark winter.,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n639,10/23/2020,7hozho firenzemike grafixguy55 exactly joebiden votebidenharristosaveamerica \xf0\x9f\x92\x99\xf0\x9f\xa7\xa2\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x97\xbd\xf0\x9f\x91\x8d\xf0\x9f\x8f\xbc\xf0\x9f\x8c\x8a,United States of America,Tennessee,TN,Joe Biden,2,0\r\n640,10/23/2020,934pm - donaldtrump refers to the worst witchhunt he's ever lived through and that's not a halloween2020 reference while joebiden points out his ukraine policy was impeccable.,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n641,10/23/2020,99.9% ... this isn\xe2\x80\x99t lysol commercial realdonaldtrump  lifetime republican now voting for joebiden presidentialdebate2020,United States of America,Tennessee,TN,Joe Biden,0,-0.5\r\n642,10/23/2020,a former business associate of hunterbiden confirmed he was one of the recipients of the email published last week by nypost which details proposed payout packages and equity shares in a biden venture with a now-defunct chinese energy conglomerate.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n643,10/23/2020,a president\xe2\x80\x99s words have consequences. trump\xe2\x80\x99s toxic language and insults have made latinos a target of racism and extremist attacks. when you vote remember el paso  debates  joebiden bidenharrislandslide2020 bidencoalition demcastca demcast,United States of America,California,CA,Joe Biden,0,-0.6\r\n644,10/23/2020,a republican congress. mic drop. joebiden is crushing it tonight debates2020 debatetonight presidentialdebate2020 biden trumpispathetic,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n645,10/23/2020,abraham lincoln is trump lolol biden debates2020,United States of America,Texas,TX,Joe Biden,2,0\r\n646,10/23/2020,according to biden this guy is a 'henchman' and russia asset.  hunterbidenlaptop joebidencorruption,United States of America,Colorado,CO,Joe Biden,2,0\r\n647,10/23/2020,actual footage from tonight\xe2\x80\x99s debate debates2020 debatetonight presidentialdebate2020 debatenight biden trump,United States of America,Indiana,IN,Joe Biden,2,0\r\n648,10/23/2020,actual footage of the presidential race. election2020 trump biden presidentialdebate2020 president espn hodgetwins titoortiz iheartmindy ttt barstoolsports,United States of America,Nevada,NV,Joe Biden,2,0\r\n649,10/23/2020,after watching the debate and you\xe2\x80\x99re still not voting for biden .... i\xe2\x80\x99m sorry for u,United States of America,Idaho,ID,Joe Biden,0,-0.6\r\n650,10/23/2020,again joebiden isn\xe2\x80\x99t president right now so he can indeed afford to stay in basement but step down and i\xe2\x80\x99m sure joebiden will step up debatetonight,United States of America,California,CA,Joe Biden,0,-0.5\r\n651,10/23/2020,agreed. joebiden hit the stage 2day in his 1 appearance of the day lying off a teleprompter &amp; cheating as usual \xe2\x80\x94 he has no covid_19 plan other than a national maskmandate &amp; lockdown2 all else adding more ppe yadayadayada he stole from potus realdonaldtrump joebidenlies,United States of America,California,CA,Joe Biden,0,-0.1\r\n652,10/23/2020,aka making stuff up a trump serial lying staple. votehimout vote biden,United States of America,Michigan,MI,Joe Biden,2,0\r\n653,10/23/2020,all i can say is i pray to god the american people are smart and they get it right this time. we can not take another 4 years of trump. bidenharris2020 debates2020 debatetonight biden,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n654,10/23/2020,all talk and no action joebiden,United States of America,Wisconsin,WI,Joe Biden,0,-0.7\r\n655,10/23/2020,all the feels \xf0\x9f\xa4\x8d\xf0\x9f\xa4\x8d\xf0\x9f\xa4\x8d\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 thewestwing  joebiden imvoting4joe imvotingforjoe  richard_schiff bradleywhitford allisonbjanney dulehill,United States of America,Georgia,GA,Joe Biden,1,0.4\r\n656,10/23/2020,almost 1 million people watching debate2020 at foxnews great debatetonight ... biden es un mentiroso lengua larga ...,United States of America,Nevada,NV,Joe Biden,2,0\r\n657,10/23/2020,almost time for the final 2020 presidential debate will you be watching debatetonight debates2020 joebiden bidenharris2020,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n658,10/23/2020,alright what was better the footbal game or the debate eagles giants nfl presidentialdebate2020 biden trump nygvsphi,United States of America,California,CA,Joe Biden,2,0\r\n659,10/23/2020,amazing. trump challenges biden on the biggest story of this election cycle and the moderator completely ignores it. 2020debate,United States of America,Texas,TX,Joe Biden,1,0.1\r\n660,10/23/2020,america please vote like joebiden is 20 points down.  wethepeople should never  get too comfortable especially with the gop dirty tricks fake drop ballot boxes/kanyewestcon &amp; voter suppression=12 hour waits to vote vote all republicans out. votesinnumberstoobigtorig,United States of America,New York,NY,Joe Biden,0,-0.1\r\n661,10/23/2020,americans don\xe2\x80\x99t panic \xf0\x9f\x98\x82\xf0\x9f\x98\xad biden right... and there was toilet paper or food 7 months ago \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f debates2020,United States of America,California,CA,Joe Biden,0,-0.5\r\n662,10/23/2020,americans would like to know what joebiden means by pay a price interfering with a nation's sovereignty tends to mean a response a little warmer than sanctions or tariffs. debatetonight debates2020,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n663,10/23/2020,americaortrump biden,United States of America,Alaska,AK,Joe Biden,1,0.3\r\n664,10/23/2020,an ex-business partner of hunter biden said he consulted his father about a planned venture with a chinese oil company.  via wsj hunterbiden hunterbidenemails hunterbidenlaptop hunterbidenslaptop joebiden,United States of America,California,CA,Joe Biden,2,0\r\n665,10/23/2020,and he won the debate on internationalstutteringawarenessday debates 4bide3n biden,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n666,10/23/2020,and i don\xe2\x80\x99t think i know a single family with fewer skeletons in its closet than that. the gop is just proving how good the bidens are. biden,United States of America,Arizona,AZ,Joe Biden,1,0.2\r\n667,10/23/2020,and right there. biden you really pissed off the baby trumpmeltdown. and that right there shows you who should be president and who i will vote for. bidenharris2020,United States of America,California,CA,Joe Biden,0,-0.1\r\n668,10/23/2020,and that's why trump keeps bring up everyone else is because he is running against joebiden . debates2020,United States of America,Tennessee,TN,Joe Biden,0,-0.2\r\n669,10/23/2020,and vote early. biden,United States of America,California,CA,Joe Biden,1,0.2\r\n670,10/23/2020,anncoulter potus dwarfed joebiden  it\xe2\x80\x99s confirmed biden is a liar &amp; subservient to \xe2\x80\x9csocialist\xe2\x80\x9d radical left | trishregan | bretbaier marthamaccallum danaperino katiepavlich foxnewssunday greggutfeld harrisfaulkner jessebwatters melissaafrancis sandrasmithfox tracegallagher,United States of America,New York,NY,Joe Biden,0,-0.8\r\n671,10/23/2020,another joebiden lie. factsmatter debates2020,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n672,10/23/2020,another win for biden  2020debate bidencares bidentownhall 2020presidentialdebate bidenharris2020 bidenharris2020tosaveamerica debates2020 bluewave vote voteearly cnndebate earlyvoting biden kamalaharris democrats november3rd election election2020 rbg,United States of America,Florida,FL,Joe Biden,1,0.4\r\n673,10/23/2020,another \xe2\x80\x9ctreated very unfairly\xe2\x80\x9d comment by the toddler. and they\xe2\x80\x99ve done the best job on the environment. trump and biden is 100% correct about this horrendous administration rolling back regulations. trump sucks on the environment and more. presidentialdebate2020,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n674,10/23/2020,anyone playing a drinking game or have bets on whether or not the prez will a. take a covid test or b. storm out stronglywordedpod presidentialdebate2020 presidentialdebate biden trump debatefly,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n675,10/23/2020,anyone think donald trump took adderall tonight donaldtrump joebiden debates2020 debates elections2020 debatetonight,United States of America,Missouri,MO,Joe Biden,0,-0.4\r\n676,10/23/2020,anyone who thinks joebiden won is on drugs or very dishonest,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n677,10/23/2020,aoc +3 did it debates2020 trump biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n678,10/23/2020,aoc b1den/hrr1s w1ll bn frack1ng &amp; destr0y the f0ss1l fu3l 1ndustry \xf0\x9f\x98\xb1 // b1den/hrr1s w1ll bn frack1ng &amp; destr0y the f0ss1l fu3l 1ndustry \xf0\x9f\x98\xb1. // pennsylvania jobsearch joebiden thegreennewdeal aoc biden2020,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n679,10/23/2020,are we senile or wasn\xe2\x80\x99t there already a pretty healthy check sent to most american households as covid relief why is the media and biden acting like trump has done nothing to help debates debatenight 2020election,United States of America,South Carolina,SC,Joe Biden,0,-0.8\r\n680,10/23/2020,artvalley818_ ask texas\xe2\x9e\xa1\xef\xb8\x8f\xe2\x9e\xa1\xef\xb8\x8f don't tell 10 million people that love oil that oil sucks poorboys biden,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n681,10/23/2020,as a dem i think biden blaming republicans for not getting shit done is the lowest point of this debate for him. terrible strategy \xe2\x80\x94 don\xe2\x80\x99t give them ammunition. presidentialdebates2020 biden trump,United States of America,California,CA,Joe Biden,0,-0.5\r\n682,10/23/2020,as an independent for most of my life i registered to be a democrat 2 years ago so i could vote in the fl primaries and yesterday i cast my vote for joebiden please voteearly vote bidenharris2020,United States of America,Florida,FL,Joe Biden,2,0\r\n683,10/23/2020,as far as i\xe2\x80\x99m concerned the coronavirus will forever exist cause trump or biden doesn\xe2\x80\x99t care enough to get rid of this shit \xf0\x9f\x98\xa4,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n684,10/23/2020,as trump wielded his office on behalf of corporate america workers paid with life and limb. covid19 joebiden 1u,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n685,10/23/2020,as you requested joebiden..... you did promise to end fracking and use of fossil fuel. this will destroy america.....who can afford electric cars trucks boats mowers etc.,United States of America,Nebraska,NE,Joe Biden,0,-0.6\r\n686,10/23/2020,asheville north carolina  who wants to join me \xf0\x9f\x8e\x89 joebiden joebiden ncdems ashevilledems,United States of America,North Carolina,NC,Joe Biden,1,0.1\r\n687,10/23/2020,astrotwins joebiden yes queens yes it did scorpioseason joebiden voteblue,United States of America,California,CA,Joe Biden,1,0.2\r\n688,10/23/2020,at least biden owns that the crime bull sucked. trump never owns his mistakes. debates2020,United States of America,Michigan,MI,Joe Biden,0,-0.4\r\n689,10/23/2020,at the end biden gets a hug from his wife. trump not so much \xf0\x9f\x98\x82 debates2020 debatetonight,United States of America,New York,NY,Joe Biden,1,0.1\r\n690,10/23/2020,atrupar biden brings up that trump pushed for the death penalty for the central park 5 a group of black and latino teens who were innocent,United States of America,New York,NY,Joe Biden,0,-0.4\r\n691,10/23/2020,atrupar urocklive1 very proud of joebiden trump answers just about every question the same damn way he always does with his big ass lies same ol\xe2\x80\x99 sh*t just a different day and hour,United States of America,Tennessee,TN,Joe Biden,0,-0.9\r\n692,10/23/2020,available immediately the least racist toddler shirts leastracist hoodies from stateofemergency funding. trealdaily flint treal trump biden covid_19  washington d.c.,United States of America,Michigan,MI,Joe Biden,1,0.3\r\n693,10/23/2020,awesome joebidenfrackinglying bidenfrackinglost kamalalies joebiden hereisthevideojoe proofbidenlied joebiden realdonaldtrump,United States of America,Missouri,MO,Joe Biden,1,0.9\r\n694,10/23/2020,awkward silence debates2020 debatetonight debate 2020debate 2020presidentialdebate biden,United States of America,Kansas,KS,Joe Biden,0,-0.7\r\n695,10/23/2020,based biden,United States of America,Rhode Island,RI,Joe Biden,2,0\r\n696,10/23/2020,bbcworld biden passed aca healthcare with obama which was held up during this administration so he\xe2\x80\x99s taken it to the supremecourt because it\xe2\x80\x99s got obama\xe2\x80\x99s name on it... that\xe2\x80\x99s the only reason he wants to get rid of it. he has no plan.,United States of America,California,CA,Joe Biden,0,-0.8\r\n697,10/23/2020,be careful of what you ask for. \xf0\x9f\x98\x9ctrump2020 trump2020landslide censorshipisreal biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n698,10/23/2020,bernardkerik baalter realdonaldtrump  joebiden and the immediate biden crime family got bobulinskied lyingjoebiden as some people hate trump more than they love america \xe2\x80\x9cthey are so far left they forgot what\xe2\x80\x99s right.\xe2\x80\x9d \xc2\xa9 zouvelosgeorge 2020,United States of America,New York,NY,Joe Biden,0,-0.4\r\n699,10/23/2020,best line of the night we had a good relations with hilter. joebiden,United States of America,District of Columbia,DC,Joe Biden,1,0.6\r\n700,10/23/2020,best to be optimistic and say covid will end than instill fear that many will die. get a clue biden,United States of America,California,CA,Joe Biden,0,-0.4\r\n701,10/23/2020,between several organizations i've sent out over 35000 gotv texts it should be noted most campaigns are not candidate specific the only people that swear or make extremely derogatory comments are from trumpty dumpty's camp go figure...  voteblue biden vote,United States of America,Massachusetts,MA,Joe Biden,0,-0.3\r\n702,10/23/2020,biden,United States of America,California,CA,Joe Biden,1,0.3\r\n703,10/23/2020,biden,United States of America,California,CA,Joe Biden,1,0.3\r\n704,10/23/2020,biden,United States of America,Colorado,CO,Joe Biden,1,0.3\r\n705,10/23/2020,biden,United States of America,Georgia,GA,Joe Biden,1,0.3\r\n706,10/23/2020,biden,United States of America,Hawaii,HI,Joe Biden,1,0.3\r\n707,10/23/2020,biden,United States of America,Hawaii,HI,Joe Biden,1,0.3\r\n708,10/23/2020,biden,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n709,10/23/2020,biden,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n710,10/23/2020,biden,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n711,10/23/2020,biden,United States of America,New York,NY,Joe Biden,1,0.3\r\n712,10/23/2020,biden,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n713,10/23/2020,biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n714,10/23/2020,biden,United States of America,Washington,WA,Joe Biden,1,0.3\r\n715,10/23/2020,biden   stutter stutter pause closes eyes.  please god i only have a few minutes left in this debate help me get through without drawing total blanks. biden trump hunterbiden hunterbidenemails debates2020,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n716,10/23/2020,biden  is man enough to admit a mistake. realdonaldtrump will never admit a mistake,United States of America,Georgia,GA,Joe Biden,0,-0.6\r\n717,10/23/2020,biden  \xe2\x80\x9ci knew abrahamlincoln lincoln was my friend trump you are no abrahamlincoln,United States of America,California,CA,Joe Biden,1,0.1\r\n718,10/23/2020,biden &amp; obama had republican congress block every policy,United States of America,New York,NY,Joe Biden,0,-0.5\r\n719,10/23/2020,biden 'i would transition from the oilindustry ' topics presidentialdebate elections2020 election2020 bidenharris2020 2020debates 2020presidentialdebate 2020debate,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n720,10/23/2020,biden - hatch crime bill 1994 full speech - debatetonight joebiden bidentownhall  crimebill,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n721,10/23/2020,biden about the hunterbiden revelations thesearenotthedroidsyourelookingfor,United States of America,Missouri,MO,Joe Biden,1,0.1\r\n722,10/23/2020,biden assumes  every one has a kitchen table  i just ate dinner in bed  debates2020 presidentialdebate2020,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n723,10/23/2020,biden ate his wheaties this morning. speaking with more clarity than last debate \xf0\x9f\xa4\x94,United States of America,California,CA,Joe Biden,1,0.3\r\n724,10/23/2020,biden average contribution- $43 votebidenharristosaveamerica presidentialdebate2020,United States of America,Arkansas,AR,Joe Biden,0,-0.1\r\n725,10/23/2020,biden bidenharrislandslide2020,United States of America,Washington,WA,Joe Biden,1,0.3\r\n726,10/23/2020,biden bidenharristosaveamerica,United States of America,Arizona,AZ,Joe Biden,1,0.3\r\n727,10/23/2020,biden bidenwon debates2020,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n728,10/23/2020,biden brought us the aca you fucking moron trump,United States of America,Nevada,NV,Joe Biden,0,-0.9\r\n729,10/23/2020,biden calls his bs and outlines the need for a coronavirus response plan but sympathetic to the great losses people have felt and are feeling.,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n730,10/23/2020,biden campaign mocks trump with 'covid plan' domain after debate thehill,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n731,10/23/2020,biden can't even go there with chinajoebiden,United States of America,California,CA,Joe Biden,0,-0.8\r\n732,10/23/2020,biden can\xe2\x80\x99t wait to see toobinzoomed online classes.,United States of America,Pennsylvania,PA,Joe Biden,1,0.9\r\n733,10/23/2020,biden care does this mean we all become incoherent and babble bidencare biden elections2020 debates2020,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n734,10/23/2020,biden could pull out many charges against the trumpcrimefamily,United States of America,Kentucky,KY,Joe Biden,0,-0.5\r\n735,10/23/2020,biden debate cnn realdonaldtrump joebiden biden seems as always filled with animosity. as a teacher i don\xe2\x80\x99t trust you joe...,United States of America,New York,NY,Joe Biden,0,-0.7\r\n736,10/23/2020,biden debate cnn realdonaldtrump joebiden easy question about vaccine... \xe2\x80\x9ccome on man\xe2\x80\x9d,United States of America,New York,NY,Joe Biden,2,0\r\n737,10/23/2020,biden debate cnn realdonaldtrump joebiden joe back to oarngr man bad,United States of America,New York,NY,Joe Biden,0,-0.7\r\n738,10/23/2020,biden debate cnn realdonaldtrump joebiden joe has no idea what to say about closures...,United States of America,New York,NY,Joe Biden,0,-0.7\r\n739,10/23/2020,biden debate cnn realdonaldtrump joebiden potus and of course the moderator does not ask that question of trump,United States of America,New York,NY,Joe Biden,0,-0.5\r\n740,10/23/2020,biden debate cnn realdonaldtrump joebiden potus biden comes across as bitter and rude ...\xe2\x80\x9dthis guy\xe2\x80\x9d-,United States of America,New York,NY,Joe Biden,0,-0.9\r\n741,10/23/2020,biden debate cnn realdonaldtrump joebiden potus fauci is not the end alll be all... the left will tear apart trump no matter what he says,United States of America,New York,NY,Joe Biden,0,-0.7\r\n742,10/23/2020,biden debate cnn realdonaldtrump joebiden potus folks who you calling folks,United States of America,New York,NY,Joe Biden,0,-0.7\r\n743,10/23/2020,biden debate cnn realdonaldtrump joebiden potus he does owe us an explanation,United States of America,New York,NY,Joe Biden,0,-0.5\r\n744,10/23/2020,biden debate cnn realdonaldtrump joebiden potus moderator of trump \xe2\x80\x9cokay okay\xe2\x80\x9d,United States of America,New York,NY,Joe Biden,0,-0.2\r\n745,10/23/2020,biden debate cnn realdonaldtrump joebiden potus of course moderator asks trump follow up questions of him not of biden,United States of America,New York,NY,Joe Biden,0,-0.6\r\n746,10/23/2020,biden debate cnn realdonaldtrump joebiden potus thug isn\xe2\x80\x99t that a racist insult,United States of America,New York,NY,Joe Biden,0,-0.7\r\n747,10/23/2020,biden debate cnn realdonaldtrump joebiden potus why is she debating him that is his job that is his job that is his job that is his job,United States of America,New York,NY,Joe Biden,0,-0.3\r\n748,10/23/2020,biden debate cnn realdonaldtrump joebiden potus why is she debating him that is his job that is his job that is his job that is his job -why is she debating him why is she debating him,United States of America,New York,NY,Joe Biden,0,-0.5\r\n749,10/23/2020,biden debates2020 foxnews foxbusiness joe biden just said he never said he was against fracking he is a liar. we have several cuts of him saying he was against fracking. joe ever heard of audio and visual recording,United States of America,Missouri,MO,Joe Biden,0,-0.2\r\n750,10/23/2020,biden doesn\xe2\x80\x99t know wtf he\xe2\x80\x99s talking about what about my cancer friends who have no hope and no way to recover covid can be fought most of the time. cancer patients they don\xe2\x80\x99t have so much hope. stop fear mongering these people 1.8 billion people will be diagnosed with,United States of America,Mississippi,MS,Joe Biden,0,-0.8\r\n751,10/23/2020,biden don't you want to defund the first responders,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n752,10/23/2020,biden drilling ban would cost 1m jobs and cause $700b drop in gdp industry study,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n753,10/23/2020,biden election debate trump yes we are calling you a corrupt politician,United States of America,New York,NY,Joe Biden,0,-0.9\r\n754,10/23/2020,biden election debate trump. election2020 his exasperated act is. it winning anyone. please. all act-,United States of America,New York,NY,Joe Biden,2,0\r\n755,10/23/2020,biden election debate trump. election2020 let\xe2\x80\x99s ask biden informative questions and trump questions about his opinion.,United States of America,New York,NY,Joe Biden,2,0\r\n756,10/23/2020,biden flaming this boy foh where the koons at,United States of America,Illinois,IL,Joe Biden,2,0\r\n757,10/23/2020,biden forecasts \xe2\x80\x9cdark winter\xe2\x80\x9d says no broad vaccine distribution before middle of 2021.  yikes. debates,United States of America,Texas,TX,Joe Biden,2,0\r\n758,10/23/2020,biden fracking kamalaharris vote pennsylvania democats,United States of America,New Jersey,NJ,Joe Biden,1,0.1\r\n759,10/23/2020,biden fracking liar,United States of America,Missouri,MO,Joe Biden,0,-0.4\r\n760,10/23/2020,biden gop emails text mails documents on biden corruption. investigate evidence should cause arrests. wire transfers not claimed on tax returns should equal 10 years in prison.,United States of America,Colorado,CO,Joe Biden,0,-0.6\r\n761,10/23/2020,biden has no shame bidencrimefamiily is not going away it's closing in.,United States of America,California,CA,Joe Biden,0,-0.7\r\n762,10/23/2020,biden hits a bullseye about trump\xe2\x80\x99s efforts to cut medicare and social security. debates2020,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n763,10/23/2020,biden hits with a solid line about no red states and blue states just the united states. he immediately followed that with it\xe2\x80\x99s the red states that are seeing spikes in covid. huh presidentialdebate2020,United States of America,Florida,FL,Joe Biden,1,0.1\r\n764,10/23/2020,biden how about that \xe2\x80\x9cbig man\xe2\x80\x9d thebigguy,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n765,10/23/2020,biden i have not taken a penny from any country whatsoever  debates2020 debates debatetonight trump biden election2020 elections2020,United States of America,California,CA,Joe Biden,0,-0.7\r\n766,10/23/2020,biden is a liar here is your no fracking nofracking biden,United States of America,Florida,FL,Joe Biden,0,-0.9\r\n767,10/23/2020,biden is always going off topic ridiculous debates2020\xc2\xa0 debate2020 trump biden presidentialdebate2020,United States of America,New York,NY,Joe Biden,0,-0.8\r\n768,10/23/2020,biden is blaming the republican congress for not getting anything done under obama. by that standard trump should be praised for achieving so much despite pelosi stonewall. debates2020,United States of America,New York,NY,Joe Biden,2,0\r\n769,10/23/2020,biden is doing a fair job of proving that trump hasn\xe2\x80\x99t done much of anything and has no plans.  trump is just helping him. joewillleadus debates2020,United States of America,New Jersey,NJ,Joe Biden,2,0\r\n770,10/23/2020,biden is doing well.,United States of America,California,CA,Joe Biden,1,0.8\r\n771,10/23/2020,biden is going to get the coronavirus at the debate. trump is contagious. trump biden presidentialdebate2020,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n772,10/23/2020,biden is going to give 11 million illegal immigrants citizenship he\xe2\x80\x99s standing up their lying saying that people who crossed the border and were released came back for their hearing that is not true.,United States of America,Arizona,AZ,Joe Biden,0,-0.8\r\n773,10/23/2020,biden is going to treat everyone with dignity. except for the crime bill. debatetonight,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n774,10/23/2020,biden is gonna take my windows away. debates2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n775,10/23/2020,biden is killing him on everything. this is brutal.,United States of America,Ohio,OH,Joe Biden,0,-0.5\r\n776,10/23/2020,biden is lying about human smuggling.,United States of America,Montana,MT,Joe Biden,0,-0.8\r\n777,10/23/2020,biden is more dangerous than we thought perhaps worse than hillaryclinton  voteredtosaveamerica2020,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n778,10/23/2020,biden is not doing so horribly.  but if each debate is an expectations game the trump performance which is on target and even restrained is a home run so far. debates2020,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n779,10/23/2020,biden is talking about citizenship for eleven million people through immigration amnesty. i\xe2\x80\x99m not crying. you\xe2\x80\x99re crying.,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n780,10/23/2020,biden is telling obama\xe2\x80\x99s lies. if you like your doctor or insurance you can keep it joe is spewing malarkey,United States of America,Virginia,VA,Joe Biden,0,-0.5\r\n781,10/23/2020,biden is the system folks.  47yrs and yes he is the system,United States of America,Texas,TX,Joe Biden,2,0\r\n782,10/23/2020,biden is weak,United States of America,California,CA,Joe Biden,0,-0.8\r\n783,10/23/2020,biden just brought up giuliani and russia.  just opened the door for trump to nail biden and trump just did.  boom maga trump2020 presidentialdebate,United States of America,Florida,FL,Joe Biden,1,0.1\r\n784,10/23/2020,biden just got bobulinskied thanks to his bagman son hunterbiden 8 years as vp joebiden with your boy obama and 47 years in the senate government and you did nothing but build cages bobulinski debatetonight debates2020 .realdonaldtrump trump2020tosaveamerica,United States of America,New York,NY,Joe Biden,0,-0.4\r\n785,10/23/2020,biden laptopfromhell hunterbidenlaptop,United States of America,New York,NY,Joe Biden,1,0.3\r\n786,10/23/2020,biden learning to live with it c'mon we're learning to die with it. biden gets it debates2020 debates,United States of America,California,CA,Joe Biden,1,0.1\r\n787,10/23/2020,biden lied about fracking,United States of America,New York,NY,Joe Biden,0,-0.6\r\n788,10/23/2020,biden lies\xe2\x80\x94yes joebiden outright lied and obama and biden both were labeled by the news media as the deporter in chiefs as they built the cages and set the immigration policy to separate kids from parents. lying joe biden the truth matters obama biden immigration protests,United States of America,New York,NY,Joe Biden,0,-0.8\r\n789,10/23/2020,biden lies\xe2\x80\x94yes joebiden said he will ban fracking and tonight again he said he and kamala won\xe2\x80\x99t  joebiden and he outright lied and denied he is banning fracking lying joe biden the truth matters debates2020 debatetonight realdonaldtrump,United States of America,New York,NY,Joe Biden,0,-0.8\r\n790,10/23/2020,biden likens trump's north korea approach to having a 'good relationship with hitler'  debates2020 debates debatetonight trump biden election2020 elections2020,United States of America,California,CA,Joe Biden,1,0.1\r\n791,10/23/2020,biden looks pallid \xf0\x9f\x92\x80 debates2020,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n792,10/23/2020,biden now yammering that the current laptop scandal is from russia.  that\xe2\x80\x99s the sound of losing. debates2020,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n793,10/23/2020,biden on russia interference - \xe2\x80\x9che won\xe2\x80\x99t stop russia.\xe2\x80\x9d trump response -\xe2\x80\x9cyou got money from russia.\xe2\x80\x9d biden \xe2\x80\x9crelease your tax returns\xe2\x80\x9d trump claims he wants to. his lawyers in court right now trying to block manhattan da from seeing them debates2020,United States of America,New York,NY,Joe Biden,0,-0.7\r\n794,10/23/2020,biden pivot - looks at us and says \xe2\x80\x9cit\xe2\x80\x99s not about our families it\xe2\x80\x99s about yours.\xe2\x80\x9d people are hurting and that is very real. debate2020,United States of America,New York,NY,Joe Biden,0,-0.3\r\n795,10/23/2020,biden potus46 46 potus president presidentialelection2020 winner landslide2020 unitedstates unitedstatesofamerica repost share presidentialdebate,United States of America,Texas,TX,Joe Biden,1,0.1\r\n796,10/23/2020,biden reminding us that trump lies to us in january about covid19. trump destracts with \xe2\x80\x9cwall st\xe2\x80\x9d but doesn\xe2\x80\x99t refute what can\xe2\x80\x99t be refuted. debate2020,United States of America,New York,NY,Joe Biden,0,-0.1\r\n797,10/23/2020,biden reminds us winter is coming and we\xe2\x80\x99re about to lose 200kdeadamericans because there is still no national plan and real leadership to address the crisis. debates2020,United States of America,North Carolina,NC,Joe Biden,0,-0.2\r\n798,10/23/2020,biden ripped him a new asshole with that closing question about the inaugeration speech.... gobiden,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n799,10/23/2020,biden said  - what\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbdwas\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbdthe\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbdreason - show me the taxes presidentialdebate2020 trump biden,United States of America,California,CA,Joe Biden,2,0\r\n800,10/23/2020,biden said malarkey. take a shot joe biden biden debates2020 debate2020 debatetonight,United States of America,California,CA,Joe Biden,2,0\r\n801,10/23/2020,biden said \xe2\x80\x9cmalarkey\xe2\x80\x9d. everyone take a drink debate2020 trump bidencrimefamiily bidengate biden,United States of America,Arizona,AZ,Joe Biden,2,0\r\n802,10/23/2020,biden says ...,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n803,10/23/2020,biden says he don\xe2\x80\x99t know who is running against.... coming from the idiot that said he was running for senate last week.... he don\xe2\x80\x99t even know what he is running for \xf0\x9f\x98\x82,United States of America,South Carolina,SC,Joe Biden,0,-0.7\r\n804,10/23/2020,biden says he would push for $15 minimum wage,United States of America,New York,NY,Joe Biden,0,-0.3\r\n805,10/23/2020,biden says he\xe2\x80\x99s been trying to fix the crime bill ever since really maybe because he\xe2\x80\x99s trying to win the presidency debates2020,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n806,10/23/2020,biden says his administration is going to invest in 50000 charging stations on highways to \xe2\x80\x9cown\xe2\x80\x9d the electric car industry. debates2020,United States of America,Indiana,IN,Joe Biden,2,0\r\n807,10/23/2020,biden says there is \xe2\x80\x98institutional and systemic racism\xe2\x80\x99 in this country.  \xf0\x9f\xa4\x94 who has been a part of that institution and system for 47 years that\xe2\x80\x99s called a self-own.  47years biden,United States of America,Montana,MT,Joe Biden,0,-0.1\r\n808,10/23/2020,biden seems desperate. he\xe2\x80\x99s rambling about already debunked issues and debunking already proven issues. hunterslaptop. try and delete those emails.,United States of America,California,CA,Joe Biden,0,-0.3\r\n809,10/23/2020,biden seems twenty years older than trump,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n810,10/23/2020,biden should have a flash card that he holds up saying \xe2\x80\x9cliar\xe2\x80\x9d every 5 minutes. debate2020 biden bidenharrislandslide2020,United States of America,Colorado,CO,Joe Biden,0,-0.2\r\n811,10/23/2020,biden statement on oil industry could be detrimental to his support in key states in election2020,United States of America,Massachusetts,MA,Joe Biden,0,-0.6\r\n812,10/23/2020,biden talks about kitchen table issues for americans trump says lets talk about china debate,United States of America,Rhode Island,RI,Joe Biden,0,-0.3\r\n813,10/23/2020,biden talks about people dying; the other one talks about businesses dying. dead people can\xe2\x80\x99t patronize businesses.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n814,10/23/2020,biden talks climatechange thankgod \xf0\x9f\x99\x8f\xf0\x9f\x99\x8f\xf0\x9f\x99\x8f necessity is the master of all creation- so let\xe2\x80\x99s get after it environmentaljustice is socialjustice &amp; economicjustice  debates2020,United States of America,California,CA,Joe Biden,1,0.3\r\n815,10/23/2020,biden the clear winner again. a lot of repeated info from trump/misinfo on covid19.,United States of America,California,CA,Joe Biden,1,0.2\r\n816,10/23/2020,biden to trump \xe2\x80\x9crelease your tax returns or stop talking about corruption\xe2\x80\x9d,United States of America,Tennessee,TN,Joe Biden,0,-0.5\r\n817,10/23/2020,biden trump,United States of America,California,CA,Joe Biden,2,0\r\n818,10/23/2020,biden trump,United States of America,Colorado,CO,Joe Biden,2,0\r\n819,10/23/2020,biden trump,United States of America,New Jersey,NJ,Joe Biden,2,0\r\n820,10/23/2020,biden twitter fingers working hard tonight,United States of America,California,CA,Joe Biden,1,0.3\r\n821,10/23/2020,biden u say we r not red &amp; blue states but united states so why r u hold covid political u got a better plan bring it u wait for election that\xe2\x80\x99s political,United States of America,New York,NY,Joe Biden,0,-0.8\r\n822,10/23/2020,biden votebidenharris2020 presidentialdebates2020 \xf0\x9f\x91\x87\xf0\x9f\x87\xb5\xf0\x9f\x87\xb7\xf0\x9f\x91\x8c,United States of America,California,CA,Joe Biden,1,0.4\r\n823,10/23/2020,biden wants an america where the govt can take your money and give it to business owners they prefer. you may remember the scandal around the gm bailout. obama and co. gave $$$ to political allies rather than fairly distributing evenly.,United States of America,South Carolina,SC,Joe Biden,0,-0.6\r\n824,10/23/2020,biden wants to bail out small businesses in a pandemic by increasing the minimum wage right now debatetonight,United States of America,Pennsylvania,PA,Joe Biden,0,-0.6\r\n825,10/23/2020,biden wants to eliminate the oil industry. what an idiot. obama was right when he said not to underestimate joe's ability to scree things up. vote trump2020landslide,United States of America,Colorado,CO,Joe Biden,2,0\r\n826,10/23/2020,biden wants to stop oil drilling wow,United States of America,Colorado,CO,Joe Biden,2,0\r\n827,10/23/2020,biden was ready for tonight. that's pretty obvious.,United States of America,Ohio,OH,Joe Biden,2,0\r\n828,10/23/2020,biden went on to say relative to q3 about coronavirus strategy after partially admitting that he said that trump shouldn't close borders that he is not exactly for more shutdowns. annnd we have just entered the twilight zone of this presidentialdebate. \xf0\x9f\xa4\xa8\xf0\x9f\x98\x90 debates,United States of America,California,CA,Joe Biden,0,-0.2\r\n829,10/23/2020,biden winning this debate big time,United States of America,Arizona,AZ,Joe Biden,1,0.1\r\n830,10/23/2020,biden won again,United States of America,Ohio,OH,Joe Biden,1,0.6\r\n831,10/23/2020,biden \xe2\x80\x9canybody responsible for that many deaths should not remain president of the united states of america. debates2020,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n832,10/23/2020,biden \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd,United States of America,Texas,TX,Joe Biden,1,0.4\r\n833,10/23/2020,biden's closing was really good. debates2020 biden,United States of America,New York,NY,Joe Biden,1,0.5\r\n834,10/23/2020,biden-hatch crime bill 1994 full speech part 2 debatetonight  debates2020  joebiden crimebill,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n835,10/23/2020,biden-hatch crime bill 1994 pt 6 full speech biden bidencrimebill debatetonight joebiden joebidensneighborhood joebidentownhall,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n836,10/23/2020,biden. i'm not gonna shut down the country i'm going to shut down the virus. by shutting down the country \xf0\x9f\x98\x82\xf0\x9f\xa4\xaa,United States of America,Colorado,CO,Joe Biden,0,-0.2\r\n837,10/23/2020,bidencare... biden debate cnn realdonaldtrump joebiden potus,United States of America,New York,NY,Joe Biden,2,0\r\n838,10/23/2020,bidencareandbreakfasttables dnc2020 legends maga trump2020 bidenharris2020 biden trump joebiden aoc speakerpelosi barackobama kamalaharris sensanders senschumer,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n839,10/23/2020,bidencrimefamiily biden hunterbidenemails,United States of America,California,CA,Joe Biden,1,0.3\r\n840,10/23/2020,bidenharris2020 biden  debates2020 fracking,United States of America,Florida,FL,Joe Biden,1,0.1\r\n841,10/23/2020,bidenharris2020 biden bidenharristosaveamerica,United States of America,Minnesota,MN,Joe Biden,1,0.3\r\n842,10/23/2020,bidenharris2020 biden votebiden samelliott,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n843,10/23/2020,bidenlied frackingban joebidenisaliar biden greennewdeal pennsylvania trumpwondebate trump2020landslidevictory,United States of America,Arizona,AZ,Joe Biden,1,0.3\r\n844,10/23/2020,bidenwon biden bidenwonagain,United States of America,Arizona,AZ,Joe Biden,1,0.3\r\n845,10/23/2020,bidenwonthedebate biden,United States of America,Utah,UT,Joe Biden,1,0.3\r\n846,10/23/2020,biden\xe2\x80\x99s mom putting oil in the family car in 1919. oil slick on the windshield joe  lol. what a dope.  joebiden trump,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n847,10/23/2020,biden\xe2\x80\x99s war on guns part i fearmongering facts  guns biden 2ndamendment,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n848,10/23/2020,bingo i\xe2\x80\x99m passing out now \xf0\x9f\x98\xb5 but i love how joebiden is holding back his laughter \xf0\x9f\x98\x82,United States of America,Florida,FL,Joe Biden,1,0.9\r\n849,10/23/2020,black brown kids prepare for the thetalk joebiden donaldtrump,United States of America,Florida,FL,Joe Biden,2,0\r\n850,10/23/2020,blakehounshell and it will motivate younger people to vote for biden,United States of America,Texas,TX,Joe Biden,1,0.4\r\n851,10/23/2020,blue collar working man from scranton joebiden\xe2\x80\x99s home.  one of them.,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n852,10/23/2020,bluestates redstates they\xe2\x80\x99re all united states joebiden checks trump denate2020,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n853,10/23/2020,bobulinski biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n854,10/23/2020,boggles my mind how trump can even act like he\xe2\x80\x99s done a good job with covid-19  stronglywordedpod presidentialdebate2020 presidentialdebate biden trump debatefly,United States of America,Florida,FL,Joe Biden,1,0.2\r\n855,10/23/2020,booming biden doesn\xe2\x80\x99t know the economy is the heart \xe2\x9d\xa4\xef\xb8\x8f of \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8... it\xe2\x80\x99s drives our national security... 12 million unemployed are suffering because of the political blockades economic by bidenharris maga,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n856,10/23/2020,borat presidentialdebate2020 endsars rocaafazenda joebiden covid arrestkillerofficers americaneedspennsylvania achechijamaa genocide asuu blacklivesstillmatter blacktwitter justiceforbreonnataylor justice,United States of America,Arizona,AZ,Joe Biden,2,0\r\n857,10/23/2020,both trump &amp; biden share the belief that the united states can outmaneuver china in the future development of renewable energy systems.   via tribunedemocrat michael_stumo,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n858,10/23/2020,brat2381 there are many good things about biden i like him more every time i see him.,United States of America,Florida,FL,Joe Biden,1,0.9\r\n859,10/23/2020,brave americans are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n860,10/23/2020,brave americans are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n861,10/23/2020,brave texans are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n862,10/23/2020,breaking joebiden seen outside his basement this morning.,United States of America,North Carolina,NC,Joe Biden,0,-0.6\r\n863,10/23/2020,breaking911 mcmurray4835 i was amazed biden walked into that. it will make a nice commercial in pennsylvania,United States of America,Nevada,NV,Joe Biden,1,0.8\r\n864,10/23/2020,breakingnews a nc fascist was arrested for plotting to kill joebiden  debates debates2020,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n865,10/23/2020,brithume i promise biden did not move it to a draw,United States of America,Louisiana,LA,Joe Biden,0,-0.7\r\n866,10/23/2020,business partner confirms email details biden push to make millions from china  vote for usa,United States of America,Texas,TX,Joe Biden,2,0\r\n867,10/23/2020,but morningjoe joenbc morningmika ignore biden corruptjoebiden &amp; today joebiden &amp; family are still not charged with corruption why not america,United States of America,New York,NY,Joe Biden,0,-0.7\r\n868,10/23/2020,california texas oklahoma louisiana alaska northdakota newmexico colorado ohio pennsylvania oilindustry oil bidenharris2020 biden trump trump2020 maga jobs debates debate2020 byedone,United States of America,Alabama,AL,Joe Biden,0,-0.2\r\n869,10/23/2020,call 310 208 enzo now \xf0\x9f\x93\xb1 free delivery \xf0\x9f\x9a\x98 trump biden 2020election \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Joe Biden,1,0.2\r\n870,10/23/2020,can someone just ask if lizard people actually run the world debates2020 trump biden kamalaharris democats republicans lizardpeople cnn electionday vote,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n871,10/23/2020,can someone please tell joebiden that our 401k retirement plans are tied to the stock market debates2020,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n872,10/23/2020,can the irs fact check the president irsnews realdonaldtrump joebiden joebiden donaldtrump debatetonight,United States of America,New Mexico,NM,Joe Biden,0,-0.3\r\n873,10/23/2020,can we just turn the mics off and vote based on who makes the craziest facial expression presidentialdebate2020 biden trump,United States of America,Kentucky,KY,Joe Biden,2,0\r\n874,10/23/2020,can you prepay my taxes as well realdonaldtrump prepaidtaxes debate presidentialdebate moderator election2020\xc2\xa0 election biden bidenharris biden2020 trump trumppence trump2020 explorerpage presidentialelection presidenttrump presidentbiden presidentialdebate2020,United States of America,California,CA,Joe Biden,0,-0.4\r\n875,10/23/2020,can't touch this can't touch this can't touch this can't touch this biden biden biden biden hit so hard it made realdonaldtrump say bidenwon. i told you realdonaldtrump bidenwon. yeah that's how we livin' and ya know trump can't touch this. stop joebiden time,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n876,10/23/2020,can't wait for the comedy show to come out after the election. make it happen people. debates voteearly vote  biden votebluetosaveamerica flipthesenateblue,United States of America,Michigan,MI,Joe Biden,1,0.2\r\n877,10/23/2020,checking his watch biden bidenharris2020 bidenharris biden2020 maddow bitmojimaddow,United States of America,New York,NY,Joe Biden,2,0\r\n878,10/23/2020,chile did he say bidencare lordt \xf0\x9f\x98\x82\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f debates2020 biden trump,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n879,10/23/2020,china biden trump2020 hunterbiden hunterbidenemails,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n880,10/23/2020,china does not pay tariffs importers and americans do tax payers pay subsidies screams into the abyss debates2020 biden trump elections2020,United States of America,New York,NY,Joe Biden,0,-0.7\r\n881,10/23/2020,china news business technology health coronavirus trump uk usa obama biden uselections2020 absolutely right,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n882,10/23/2020,chipfranklin voted for biden on monday joebiden,United States of America,Tennessee,TN,Joe Biden,1,0.1\r\n883,10/23/2020,claws drawn. debates2020 debate2020 trump biden,United States of America,Georgia,GA,Joe Biden,2,0\r\n884,10/23/2020,cmonman debates2020 biden bidencrimefamiily trump2020 trump2020landslide,United States of America,Colorado,CO,Joe Biden,1,0.4\r\n885,10/23/2020,cnn biden didn\xe2\x80\x99t win the debate he\xe2\x80\x99s clueless but you\xe2\x80\x99re so liberal you have to post your fake news to try to make democraticelite feel safe \xf0\x9f\x96\x95\xf0\x9f\x96\x95\xf0\x9f\x96\x95\xf0\x9f\x96\x95\xf0\x9f\x96\x95\xf0\x9f\x96\x95\xf0\x9f\x96\x95\xf0\x9f\x96\x95\xf0\x9f\x96\x95,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n886,10/23/2020,cnn he won in my book joebiden,United States of America,Maryland,MD,Joe Biden,1,0.4\r\n887,10/23/2020,cnn i am sorry but what does people who never called trump calling trump got to do with me as an american citizen like i need a president who will not take my health care away and not make me embarrassed telling people i am from the usa. vote biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n888,10/23/2020,cnnpolitics joebiden who built the cages,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n889,10/23/2020,colinfrizzell followed up by this quote as a rebuttal \xe2\x80\x9cgood\xe2\x80\x9d-donald j. trump 45th president of the united states of america thursday. october 22 2020.  biden bidenharristosaveamerica,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n890,10/23/2020,comedy gold weekendatbidens biden election2020,United States of America,Texas,TX,Joe Biden,1,0.2\r\n891,10/23/2020,communism adolfhitler debates2020 donaldtrump2020 joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n892,10/23/2020,compassion. this is what america needs. biden,United States of America,Texas,TX,Joe Biden,1,0.6\r\n893,10/23/2020,completely distance from joebiden permanently. joe biden has enabled the erosion and participated in bad actions that endanger our population and united states sovereignty for personal gain. byedon go back to the doctors officethe whitehouse is not an assisted care facility,United States of America,California,CA,Joe Biden,0,-0.1\r\n894,10/23/2020,confused joebiden,United States of America,Missouri,MO,Joe Biden,0,-0.8\r\n895,10/23/2020,continued to mislead.trump's rally on february 28th. he called the covid a hoax started by the democrates feb 28th covid19 biden harris filthyindia covid_19 trump,United States of America,Georgia,GA,Joe Biden,0,-0.6\r\n896,10/23/2020,could have really started stronger there biden,United States of America,California,CA,Joe Biden,0,-0.4\r\n897,10/23/2020,could joebiden be so inept that he entrusted hunterbiden his son who is a struggling addict to flawlessly carry out a scheme to peddle vp  influence to ukraine russia china and others funneling money under the table to himself and his family members,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n898,10/23/2020,covid is just a losing topic for trump stronglywordedpod presidentialdebate2020 presidentialdebate biden trump debatefly,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n899,10/23/2020,covid19 biden,United States of America,Missouri,MO,Joe Biden,1,0.3\r\n900,10/23/2020,covid_19 is a serious issue but we are spending too much time on this topic. not to mention joebiden is proposing ideas that are already in place. debates2020,United States of America,California,CA,Joe Biden,2,0\r\n901,10/23/2020,craigbarrientos barackobama you guys really believe that huh  you think people kept voting for joebiden for 47 years because he didn't deliver anything  seriously  stop with the salesman crap.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n902,10/23/2020,criminal justice reform reproductive freedom immigrant rights racial justice. covid. earth. vote like lives depend on it. aready voted tell everyone you know to vote. get out the vote because our lives depend on it. biden,United States of America,California,CA,Joe Biden,2,0\r\n903,10/23/2020,crying about things that are not happening joebiden,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n904,10/23/2020,crystalmaracle trump uttered \xe2\x80\x9cunder audit \xe2\x80\x9c. joebyedon biden,United States of America,Nevada,NV,Joe Biden,2,0\r\n905,10/23/2020,dailycaller moderator saying \xe2\x80\x9cwhy would you do that\xe2\x80\x9d says it all. i actually lol\xe2\x80\x99d when i was watching when she said it. her tone of voice is the best. frackingban biden,United States of America,Nevada,NV,Joe Biden,1,0.2\r\n906,10/23/2020,damn right trump is smart about taxes. so much so he has written books on how. stop lying biden,United States of America,California,CA,Joe Biden,2,0\r\n907,10/23/2020,damning revelations joebiden biden elections2020 trump2020,United States of America,Texas,TX,Joe Biden,2,0\r\n908,10/23/2020,danrather i was screaming at the tv so i decided it\xe2\x80\x99s best i walk away biden/harris2020,United States of America,California,CA,Joe Biden,1,0.2\r\n909,10/23/2020,danrather i watched knowing i\xe2\x80\x99m voting for joebiden,United States of America,California,CA,Joe Biden,1,0.1\r\n910,10/23/2020,danscavino sidneypowell1 biden can\xe2\x80\x99t draw 10 people. how can he be ahead of or even close to trump in the polls,United States of America,Pennsylvania,PA,Joe Biden,0,-0.6\r\n911,10/23/2020,davelapell a good fact check on biden changes everything,United States of America,Texas,TX,Joe Biden,1,0.3\r\n912,10/23/2020,davelapell brithume biden is a good debater and a pathological liar,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n913,10/23/2020,davelapell thejuanwilliams there is no way juanwilliams can unravel all those biden lies to prove anything believable,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n914,10/23/2020,davidaxelrod is on cnn actin like there is a mandate for biden &amp; that he was selected because he opposed medicareforall. bidens policies were not why he won the nomination. this is a fact. i wish everyone would stop spreading this lie debate2020 debatetonight debates,United States of America,Indiana,IN,Joe Biden,0,-0.4\r\n915,10/23/2020,dbongino yep. biden ended the debate by killing the oil industry. may favorite thing is also where he says show me the tape after being on tape easily 6 times saying he will end fracking. biden debatetonight debate2020,United States of America,Nevada,NV,Joe Biden,2,0\r\n916,10/23/2020,ddale8 biden  where's biden  in the basement,United States of America,Florida,FL,Joe Biden,2,0\r\n917,10/23/2020,dear god 11/3 cannot come fast enough. we love you joebiden  let\xe2\x80\x99s go joe dogs4biden biden bidenharris2020 dogsoftwittter,United States of America,New York,NY,Joe Biden,1,0.2\r\n918,10/23/2020,debate 2020 greenparty presidential nominee howiehawkins calls out biden and trump for saberrattling,United States of America,New York,NY,Joe Biden,0,-0.3\r\n919,10/23/2020,debate all are created equal biden,United States of America,Louisiana,LA,Joe Biden,2,0\r\n920,10/23/2020,debate analysis a newly restrained trump faces the same old problems. debate trump biden,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n921,10/23/2020,debate biden giving real stats on covid. still reeling from the trump statement that people in europe are congratulating him on his great leadership on the pandemic. \xf0\x9f\xa4\xa3,United States of America,New York,NY,Joe Biden,1,0.1\r\n922,10/23/2020,debate biden stating clearly everyone has the right to affordable healthcare.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n923,10/23/2020,debate debates2020 debatetonight biden bidenharris2020 bidenharris2020landslide,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n924,10/23/2020,debate did christine welker know biden  said no fracking on many occasions  what a journalist  unqualified to moderate  how about hunterbiden and the laptop,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n925,10/23/2020,debate joebiden warned a \xe2\x80\x9cdark winter\xe2\x80\x9d was looming in terms of ccpvirus infections while president trump defended his record on the pandemic said a vaccine was imminent and insisted \xe2\x80\x9cwe\xe2\x80\x99re rounding the turn.\xe2\x80\x9d,United States of America,New York,NY,Joe Biden,0,-0.4\r\n926,10/23/2020,debate kwelkernbc is welcoming the country to the final mano a mano.  biden comes on wearing his mask. 6 major topics are being covered. going over the mic rules...so americans can hear every stinking word. 1st question is covid. to trump.,United States of America,New York,NY,Joe Biden,0,-0.1\r\n927,10/23/2020,debate night i'll be posting some of my favorite trump and biden cartoons debatetonight debate biden trump freep usatodayopinion,United States of America,Michigan,MI,Joe Biden,1,0.5\r\n928,10/23/2020,debate trump is now insulting biden. you're all talk and no action.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n929,10/23/2020,debate2020 biden the guy who voted to increase imprisonments for blacklivesmatter &amp; kept it that way for decades destroying black families 47 years \xf0\x9f\x91\x8e,United States of America,New York,NY,Joe Biden,0,-0.6\r\n930,10/23/2020,debate2020 biden vamos a perder otras 200 mil personas por la falta de plan de trump,United States of America,Arizona,AZ,Joe Biden,0,-0.1\r\n931,10/23/2020,debate2020 debate debatetonight debates trumpispathetic trumpmeltdown donthecon bidentownhall biden bidenharristosaveamerica america americaortrump immigration fridaylivestream fridaythoughts fridayfeeling fridayvibes friday,United States of America,New York,NY,Joe Biden,2,0\r\n932,10/23/2020,debate2020 debatetonight biden understands families of color. he understands \xe2\x80\x9cthe talk\xe2\x80\x9d. i wish every single question went to trump first just to show how clueless he is.,United States of America,Washington,WA,Joe Biden,0,-0.2\r\n933,10/23/2020,debate2020 is over. joebiden won by a landslide just like he will win on november 3rd. vote,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n934,10/23/2020,debate2020 vote joebiden,United States of America,Illinois,IL,Joe Biden,1,0.2\r\n935,10/23/2020,debates stutteringawareness joebiden,United States of America,California,CA,Joe Biden,2,0\r\n936,10/23/2020,debates2020   biden is moron.  masks will save 100000 people   where are the biased fact checkers   no more closures to this country.  trump2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n937,10/23/2020,debates2020  biden right four years later show us your taxes,United States of America,New York,NY,Joe Biden,2,0\r\n938,10/23/2020,debates2020  i have to agree joebiden you had 8 yrs what did you do,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n939,10/23/2020,debates2020 biden  you fucker. you didn't beat a goddamn single person. obama fixed the primaries. fuck you,United States of America,Nevada,NV,Joe Biden,0,-0.2\r\n940,10/23/2020,debates2020 debates biden trump,United States of America,Tennessee,TN,Joe Biden,2,0\r\n941,10/23/2020,debates2020 debatetonight debate2020 debate biden joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n942,10/23/2020,debates2020 i love joe's faces..... hahaaaa.. he can not believe this crap trump is saying... hahaaaaaaa it's the best part of the debate. joe is almost cracking up you joe get paid by china i pre pay my taxes hahaaaa debates2020 debate debatenight biden bidenharris,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n943,10/23/2020,debates2020 joebiden has just surprised his base with he's not moving to single payer.,United States of America,Illinois,IL,Joe Biden,2,0\r\n944,10/23/2020,debates2020 stop diarrhea mouth .realdonaldtrump come on let joebiden answer - don the con stfu nooooo shut up his lies,United States of America,Nevada,NV,Joe Biden,0,-0.8\r\n945,10/23/2020,debates2020 this was a better debate than the other one. i made up my mind and voted not for realdonaldtrump because he is a liar and i can\xe2\x80\x99t stand that. i voted on the first day of early voting for the most honest one joebiden biden joewillleadus bidenharrislandslide2020,United States of America,Texas,TX,Joe Biden,2,0\r\n946,10/23/2020,debates2020 why debates commission is trump being allowed to answer every one of biden's comments but she is not allowing biden to answer trump's comments  unfair.  fix that now.  teamjoe joebiden,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n947,10/23/2020,debatetonight  donaldtrump is smashing politicians &amp; sleepyjoe joebiden  debates2020  democrat voteblue youaintblack,United States of America,California,CA,Joe Biden,0,-0.7\r\n948,10/23/2020,debatetonight biden bidenharris2020 debates2020,United States of America,Georgia,GA,Joe Biden,1,0.3\r\n949,10/23/2020,debatetonight biden trumpmeltdown,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n950,10/23/2020,debatetonight debates2020 trump joebiden,United States of America,Colorado,CO,Joe Biden,2,0\r\n951,10/23/2020,debatetonight joebiden blacklivesmatter biden racist neverforget elections2020 democats debates2020,United States of America,California,CA,Joe Biden,1,0.3\r\n952,10/23/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n953,10/23/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n954,10/23/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n955,10/23/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n956,10/23/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n957,10/23/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n958,10/23/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n959,10/23/2020,democrats play defense gop goes on attack after biden oil comments thehill,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n960,10/23/2020,democrats think these are the coyotes joebiden was referencing. \xf0\x9f\x98\x80,United States of America,Michigan,MI,Joe Biden,2,0\r\n961,10/23/2020,dianna_dianna01 teamjoe god is not blessing racists pedo antisemites like biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.9\r\n962,10/23/2020,did anyone else see joebiden fold his pre-creased notes up and then his assistant grab his note pad i thought you weren\xe2\x80\x99t allowed to bring notes to a debate,United States of America,Illinois,IL,Joe Biden,0,-0.6\r\n963,10/23/2020,did biden just check his fitbit  \xf0\x9f\xa4\xa3\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n964,10/23/2020,did joe biden just say abraham lincoln was racist joebiden bidencrimefamiily,United States of America,Arizona,AZ,Joe Biden,2,0\r\n965,10/23/2020,did joebiden just call trump un-american \xe2\x80\x9camericans don\xe2\x80\x99t panic; trump panicked.\xe2\x80\x9d \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xe2\x9c\x8a\xf0\x9f\x8f\xbf\xe2\x9c\x8c\xf0\x9f\x8f\xbf,United States of America,Indiana,IN,Joe Biden,1,0.1\r\n966,10/23/2020,did trump just say \xe2\x80\x9ci am the least racist person. i can\xe2\x80\x99t even see the audience because it\xe2\x80\x99s so dark.\xe2\x80\x9d what. does. this. mean.debatetonight debates2020 trumpmeltdown trumpispathetic bizarre biden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n967,10/23/2020,did you folks like when i said hitler tonight he was a brutal fucking dictator. the united states can do better - and i'm confident she/her will do better - this year at the polls. biden joewillleadus,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n968,10/23/2020,dknight10k oh my god. i just can't. thank heavens biden got a oh god in there.,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n969,10/23/2020,do we need an additional 11 million undocumented immigrants joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n970,10/23/2020,do you like the debate moderator for me it\xe2\x80\x99s a big yes she\xe2\x80\x99s fair and stern which is good debates2020 debates presidentialdebate donaldtrump joebiden trump biden debate,United States of America,Florida,FL,Joe Biden,1,0.5\r\n971,10/23/2020,do you see the world you\xe2\x80\x99re fighting for biden and nevertrump voters,United States of America,California,CA,Joe Biden,0,-0.4\r\n972,10/23/2020,does america really want this kind of leadership she will be president if biden gets elected this folks dictatorharris the tyrannicaltwit\xf0\x9f\x98\xa1,United States of America,Colorado,CO,Joe Biden,0,-0.6\r\n973,10/23/2020,does anyone else get the idea that deep down inside joe biden will actually be extremely relieved if he doesn't get elected joebiden joebiden realdonaldtrump tiredoldman,United States of America,California,CA,Joe Biden,2,0\r\n974,10/23/2020,does realdonaldtrump realize that biden wasn\xe2\x80\x99t the potus four years ago presidentialdebate2020 trumpmeltdown trumpispathetic,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n975,10/23/2020,don't just be mad at joebiden's tax plan \xf0\x9f\x99\x85\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f be mad at the whole damn system \xf0\x9f\x92\xaf stop settling for less and demand more taxationistheft protest trump2020  biden2020 twopartysystem republicans democrats vote libertarian jojorgensen throwyourvoteaway news memes,United States of America,California,CA,Joe Biden,0,-0.9\r\n976,10/23/2020,donald trump is trying to make fun of joebiden for moving the conversations to helping american families.  debates2020,United States of America,New York,NY,Joe Biden,0,-0.1\r\n977,10/23/2020,donaldtrump saying  whobuiltthecagesjoe ... to joebiden reminds me of kanyewest saying  youdonthavetheanswerssway ... to sway on swayinthemorning . debates2020,United States of America,California,CA,Joe Biden,2,0\r\n978,10/23/2020,dont get me wrong orangeturnip is full of manure but biden is fumbling this debate.,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n979,10/23/2020,don\xe2\x80\x99t forget to vote and vote by mail if you can this will keep us all safer i have already sent my ballet back everyvotecounts bidenharris2020landslide joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n980,10/23/2020,dude trump may be full of grandiose narcissistic \xf0\x9f\x92\xa9 but biden is the covert narcissistic one. he's been feeding the oil industry like crazy over his 4+ decades career. suddenly to trump's pts he is going to consider getting off oil who remembers the spills \xf0\x9f\x99\x8b\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f debates,United States of America,California,CA,Joe Biden,0,-0.3\r\n981,10/23/2020,dumb old bastard can\xe2\x80\x99t remember his own words. bidenharris2020 biden trump2020 maga trump,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n982,10/23/2020,early vote counting has biden winning.,United States of America,California,CA,Joe Biden,1,0.2\r\n983,10/23/2020,election2020 plot joebiden,United States of America,Puerto Rico,PR,Joe Biden,1,0.4\r\n984,10/23/2020,enough said. debatetonight joebiden,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n985,10/23/2020,enough with the covid19 fear-mongering. according to biden we are all going to die &amp; should live under lockdowns &amp; masks until the government deems the crisis is over.   we are not americans who surrender &amp; live in fear.,United States of America,New York,NY,Joe Biden,0,-0.5\r\n986,10/23/2020,entgrcsolutions richie_hertz kimmy6192004 upanatm jessicagalliart perkywarrior jglidden007 rolandsmartin zebop drjasonjohnson jrubinblogger kildaymorgan thesydneya flywithkamala adamparkhomenko wonderking82 briantylercohen chrislongview people4kam sjs856 it feels so good i believe we will win pedal to the metal for joebiden kamalaharris &amp; all down ballot dems let\xe2\x80\x99s vote every single awful tre45on/gop traitor out of office with a massive bluewave voteearly voteready ivoted,United States of America,California,CA,Joe Biden,1,0.3\r\n987,10/23/2020,ericamillller aphroditeaeria you misspelled joebiden,United States of America,New Mexico,NM,Joe Biden,0,-0.5\r\n988,10/23/2020,erictrump realdonaldtrump joebiden  you have 525 kids not knowing where in god's name they are going to be and lost their parents.  trump   good.,United States of America,California,CA,Joe Biden,0,-0.3\r\n989,10/23/2020,even the republicans want biden to win. bidenharristosaveamerica,United States of America,New York,NY,Joe Biden,2,0\r\n990,10/23/2020,ever notice how trump never has specific numbers it\xe2\x80\x99s always millions and billions. for a guy who\xe2\x80\x99s the greatest smartest he certainly blankets the specifics. trump2020 biden debates2020 debatetonight,United States of America,North Carolina,NC,Joe Biden,1,0.1\r\n991,10/23/2020,every time realdonaldtrump angrily barks excuse me at kwelkernbc you can literally hear suburban women running to the polls to vote for joebiden... trump biden debate election2020,United States of America,New York,NY,Joe Biden,0,-0.4\r\n992,10/23/2020,everybody should research joebiden background.  you make your own judgement after that. this fool is crooked as fuck,United States of America,California,CA,Joe Biden,0,-0.5\r\n993,10/23/2020,exactly every state has conservatives and liberals. we are all americans and our president needs to care about all of us. president biden will,United States of America,New York,NY,Joe Biden,0,-0.3\r\n994,10/23/2020,excellent job \xf0\x9f\x91\x8d\xf0\x9f\x8f\xbd \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd joebiden moderator trumpmeltdown positionstonight presidentialdebate2020 positions bidenharris2020 joewillleadus presidentialdebate debates2020,United States of America,Georgia,GA,Joe Biden,1,0.8\r\n995,10/23/2020,excuse me donald l my son hunters drug dealer was black debates2020 biden hunterbidenlaptop hunterbiden,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n996,10/23/2020,fact-check joebiden has said he never spoke with hunter about his busi\xc2\xadness in\xc2\xadter\xc2\xadests yet the emails and texts clearly show the opposite...nor has biden denied emails authenticity.  bidencrimefamiily bidengate,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n997,10/23/2020,factcheck joe biden claims obamacare didn\xe2\x80\x98t cause americans to lose their insurance  via breitbartnews,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n998,10/23/2020,factsmatter biden won,United States of America,New York,NY,Joe Biden,1,0.3\r\n999,10/23/2020,fake news cnn abc and nbc of course didn\xe2\x80\x99t cover hunterbiden \xe2\x80\x98s business partner confirming that joebiden was part of the china businesses dealing and even took a cut - confirmed by emails. he gave 3 cell phones to the fbi,United States of America,North Carolina,NC,Joe Biden,0,-0.8\r\n1000,10/23/2020,fear mongering racist realdonaldtrump trying to fill americans with fear because he has no other hand to play trumpispathetic debates2020 debatetonight debate2020 biden bidenharris2020,United States of America,California,CA,Joe Biden,0,-0.8\r\n1001,10/23/2020,final 2020 presidential debate presidentialdebate joebiden debates2020 trump trumpmeltdown,United States of America,California,CA,Joe Biden,2,0\r\n1002,10/23/2020,final debate more than halfway through who do you think is winning so far trump biden debatetonight,United States of America,California,CA,Joe Biden,0,-0.5\r\n1003,10/23/2020,final debate trump and biden go after each other over coronavirus response,United States of America,California,CA,Joe Biden,0,-0.2\r\n1004,10/23/2020,finally ... time to vote ... my duty as a naturalized usa citizen ... vote like your life depends from it ... vote vote2020 voteblue2020 bidenharris2020 biden joebiden2020 joebiden,United States of America,Arizona,AZ,Joe Biden,2,0\r\n1005,10/23/2020,finish him joebiden,United States of America,Washington,WA,Joe Biden,0,-0.1\r\n1006,10/23/2020,first thing tomorrow trump will announce an executive order banning all mute buttons. debates2020 trumpmeltdown joebiden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1007,10/23/2020,fivetakeaways from the final trump-biden debate thehill,United States of America,Texas,TX,Joe Biden,2,0\r\n1008,10/23/2020,for my daca people there is hope with biden presidentialdebate2020,United States of America,New York,NY,Joe Biden,1,0.4\r\n1009,10/23/2020,for reference joebiden trump2020 whyyoualwayslyin,United States of America,Texas,TX,Joe Biden,2,0\r\n1010,10/23/2020,for the rest of this campaign if i was realdonaldtrump is ask joebiden why didn't u get it done joe,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1011,10/23/2020,force trump and biden to live with each other for 4 years. democrats republicans bipartisan compromise,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n1012,10/23/2020,foreign\xf0\x9f\x87\xb7\xf0\x9f\x87\xba\xf0\x9f\x87\xa8\xf0\x9f\x87\xb3nations - after realdonaldtrump &amp; joebiden\xe2\x80\x99s final debate - who want to continue to \xe2\x80\x9cplay\xe2\x80\x9d in our election_box now know they \xe2\x80\x9cwill_pay_a_price.\xe2\x80\x9d since potus didn\xe2\x80\x99t have china pay a price for pearlharboring us\xf0\x9f\x87\xba\xf0\x9f\x87\xb8w/ chinavirus - is sealing the deal for joebiden\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1013,10/23/2020,former new york republican rep. susan molinari bucks gop to endorse biden-harris. \xe2\x81\xa61010wins\xe2\x81\xa9 gop newyork susanmolinari joebiden kamalaharris voteblue votebidenharris \xe2\x81\xa6gopforjoe\xe2\x81\xa9 \xe2\x81\xa6votevets\xe2\x81\xa9,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1014,10/23/2020,foxnewssunday chriswallace didn\xe2\x80\x99t do bad on his debate he just wasn\xe2\x80\x99t gifted a muted mic or a trump on his best behavior as advised to do so in one last desperate attempt at winning a shame that bc of temper tantrum trump they even had to do this. biden trumpisnotamerica,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n1015,10/23/2020,frack the frackin fracking. biden,United States of America,Indiana,IN,Joe Biden,1,0.1\r\n1016,10/23/2020,fracking joebiden,United States of America,Missouri,MO,Joe Biden,2,0\r\n1017,10/23/2020,friday 10/23/2020 we have 11 days and counting...had enough yet fridaymotivation fridaythoughts fridayfeeling biden bidenharris2020,United States of America,California,CA,Joe Biden,0,-0.2\r\n1018,10/23/2020,fridaymotivation biden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1019,10/23/2020,from 2016\xf0\x9f\x92\x99 biden kindnessmatters,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1020,10/23/2020,from unitedwedream dreamers daca mented youth reax to joebiden debate2020,United States of America,New York,NY,Joe Biden,2,0\r\n1021,10/23/2020,fuck him up joe joebiden debates,United States of America,Illinois,IL,Joe Biden,0,-0.6\r\n1022,10/23/2020,fucking hell. joebiden closed it like a boss. bidenharris2020 biden bidenwonthedebate trumpmeltdown trumpispathetic vote votehimout votebluetoendthisnightmare votebluetosaveamerica,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1023,10/23/2020,funny debates2020 trump biden \xe2\x81\xa6dbongino watch this haha,United States of America,Nevada,NV,Joe Biden,1,0.9\r\n1024,10/23/2020,georgia michigan pennsylvania ohio michigan wisconsin florida arizona nevada northcarolina texas minnesota iowa why do media hide this from america  joebiden is corrupt,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1025,10/23/2020,get $100 in postmates delivery credit when you sign up with code 4p1iu    fridaythoughts fridayvibes food foodie delivery wknd election 2020 biden trump happyhour news hungry a,United States of America,California,CA,Joe Biden,0,-0.1\r\n1026,10/23/2020,get him joebiden,United States of America,Oklahoma,OK,Joe Biden,1,0.3\r\n1027,10/23/2020,getting pumped \xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99 biden joebiden debates2020 debatetonight debate debates maddow msnbc,United States of America,New York,NY,Joe Biden,2,0\r\n1028,10/23/2020,glad biden is admitting that his stance on the crime bill was a mistake. ownership and growth of how we move forward debates2020,United States of America,Maryland,MD,Joe Biden,2,0\r\n1029,10/23/2020,glad to see biden came out of hiding for the debate. presidentialdebate2020,United States of America,Kentucky,KY,Joe Biden,1,0.5\r\n1030,10/23/2020,good analysis of failed trump debate tactics and lies compared to biden - voteoutthegop voteblue debates2020,United States of America,Hawaii,HI,Joe Biden,1,0.2\r\n1031,10/23/2020,good job on the healthcare answer joebiden \xf0\x9f\x99\x8c\xf0\x9f\x8f\xbb everyone with covid will have a pre-existing condition and cant be discriminated against. protect the people   debates2020 reformhealthcare,United States of America,New York,NY,Joe Biden,1,0.4\r\n1032,10/23/2020,gop realdonaldtrump the message is the same if you insert trump for biden,United States of America,Nevada,NV,Joe Biden,0,-0.3\r\n1033,10/23/2020,gopchairwoman realdonaldtrump i did not hear 1 plan on any subject that was talked about during that debate. not one suggestion on what the next 4 years would look like at all biden bidenwondebate votedbidenharris2020  votedbluedowntheballot,United States of America,California,CA,Joe Biden,0,-0.5\r\n1034,10/23/2020,gosh joe biden dropping bombs here. i need to have what he had tonight. debates2020 joebiden bidenharris2020,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n1035,10/23/2020,govmikehuckabee realdonaldtrump potus i think the more time she gives biden the better.,United States of America,Texas,TX,Joe Biden,1,0.7\r\n1036,10/23/2020,great job kwelkernbc moderating tonight\xe2\x80\x99s presidentialdebate2020 grace and clarity and strength. kristenwelker had solid control of the presidentialdebate throughout. she kept trump and biden in check and on point for the most part.,United States of America,Alabama,AL,Joe Biden,1,0.6\r\n1037,10/23/2020,great to see obama campaigning for biden it helps trump everyday he is out election election2020,United States of America,California,CA,Joe Biden,1,0.9\r\n1038,10/23/2020,gregabbott_tx i have already voted for joebiden and when your term is over i'll vote against you too.,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1039,10/23/2020,greggjarrett how biden made a large profit on the sale of his house news journal archives  via delawareonline,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1040,10/23/2020,guys. he knows more about wind than anyone. he\xe2\x80\x99s had millions and millions of winds. trump biden wind debates2020,United States of America,North Carolina,NC,Joe Biden,1,0.1\r\n1041,10/23/2020,ha ha ha joebiden superpredators comments does make him look pretty supremacist to everybody. who says that oh yeah. hillaryclinton used the same description of the black community.,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1042,10/23/2020,hahahaha the potus of the united states of america trolls the former vp of the u.s. on twitter. social media gold socialmediagold biden,United States of America,California,CA,Joe Biden,2,0\r\n1043,10/23/2020,hahussain i could care less about either of their taxes. joebiden is bigman and has siphoned millions from foreign countries by putting his perverted drug addicted son hunterbiden in between him and the money. and people will still vote bidenharris2020. amazing.,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n1044,10/23/2020,happening now trump biden square off in final presidential debate watch it live at,United States of America,Arizona,AZ,Joe Biden,0,-0.3\r\n1045,10/23/2020,happy friday psa of the day via uncle joe and aunty kamala wearamask  joekamala2020 joebiden kamalaharris covid_19 covid 2020 unclejoe joebiden2020 kamalaharris2020 wearamasksavelives  wearamasksavealife wearamaskplease,United States of America,North Carolina,NC,Joe Biden,1,0.7\r\n1046,10/23/2020,happy friday the debate had far fewer fireworks. trump maintained his stance and biden put on his best politician face. presidentaldebate2020 donaldtrump joebiden enjoy --&gt;,United States of America,Georgia,GA,Joe Biden,1,0.2\r\n1047,10/23/2020,he is a very confused guy. he is running against joebiden,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n1048,10/23/2020,he is going in on this vaccine bull.stronglywordedpod presidentialdebate2020 presidentialdebate biden trump debatefly,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n1049,10/23/2020,he promised a new healthcare plan 4 years ago too. we haven't seen it yet. presidentialdebate2020 debates2020 debates biden trump,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1050,10/23/2020,he said malarkey debates2020 joebiden,United States of America,Minnesota,MN,Joe Biden,0,-0.1\r\n1051,10/23/2020,he talks all this shit like biden was the vicepresident for 8 yrsdumbfucktrump do you take credit for shit that fundamentalpence is doing because pence is the antichrist probably just like dickcheney was the puppetmaster of bush fuckthecabal \xf0\x9f\x96\x95,United States of America,Florida,FL,Joe Biden,0,-0.9\r\n1052,10/23/2020,he think he\xe2\x80\x99s running against someone else. he\xe2\x80\x99s running against joe biden. joebiden is on \xf0\x9f\x94\xa5,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1053,10/23/2020,he's a frackin liar. joebiden bigguy maga fracking realdonaldtrump,United States of America,Washington,WA,Joe Biden,0,-0.3\r\n1054,10/23/2020,health care is a right. biden debate,United States of America,New York,NY,Joe Biden,1,0.2\r\n1055,10/23/2020,healthcare. is. not. a. privilege. its. a. right. yes joebiden yes. debates debates2020 presidentialdebate2020,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1056,10/23/2020,hearing a lot about fracking issue in pa. i don\xe2\x80\x99t see it. even in west pa vast majority not engaged by issue. those pro-fracking already pro potus. those anti- are in biden camp. any gains in pitt hinterland w fracking offset by losses in pgh &amp; close burbs  by climate change.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n1057,10/23/2020,heil biden,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n1058,10/23/2020,hell yeah i voted for biden,United States of America,California,CA,Joe Biden,1,0.9\r\n1059,10/23/2020,here is biden saying he wants to ban fracking,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n1060,10/23/2020,here is why biden runs for president,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1061,10/23/2020,here we go debates2020 debate2020 trump biden,United States of America,Georgia,GA,Joe Biden,2,0\r\n1062,10/23/2020,here we go presidentialdebate2020 trumpmeltdown biden democats,United States of America,California,CA,Joe Biden,2,0\r\n1063,10/23/2020,here you go independent and undecided voters.  judge for yourself. hunter biden paytoplay fakenews russiarussiarussia nbcsandiego kusinews cnn msnbc cnbc,United States of America,California,CA,Joe Biden,0,-0.2\r\n1064,10/23/2020,here you go joe your video on banning fracking.  debates2020 joebiden,United States of America,North Carolina,NC,Joe Biden,2,0\r\n1065,10/23/2020,here's joe -no fracking- biden. debates presidentialdebate2020 trump biden,United States of America,Texas,TX,Joe Biden,2,0\r\n1066,10/23/2020,hereticalstoic keithboykin demfromct biden should have  done that too,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1067,10/23/2020,hes done almost as much as abraham lincoln \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 trump presidentialdebate2020 debates2020 biden,United States of America,New York,NY,Joe Biden,2,0\r\n1068,10/23/2020,hey joebiden  i\xe2\x80\x99m in the middle class and i\xe2\x80\x99m not a victim,United States of America,Virginia,VA,Joe Biden,0,-0.3\r\n1069,10/23/2020,hey joebiden ever thought of wearing a purple tie  bringustogether bidenharris2020 biden,United States of America,Colorado,CO,Joe Biden,1,0.3\r\n1070,10/23/2020,he\xe2\x80\x99s jealous bc biden is out raising him financially. \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 he\xe2\x80\x99s becoming unhinged. debatetonight,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n1071,10/23/2020,highbrow_nobrow president biden will appreciate this power in eliminating the trump swamp from government.,United States of America,Illinois,IL,Joe Biden,2,0\r\n1072,10/23/2020,hip hip hooray that is exactly how you keep the press honest. listen i love the tv leslie stahl but the no mask tells a little inside story doesn't it mr. president. clever. today one has to protect themselves to be sure the truth is told. bravo biden harris vpdebate cbs,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1073,10/23/2020,hkrassenstein realdonaldtrump they\xe2\x80\x99re trying to say that if it had been as deadly as covid19 it would\xe2\x80\x99ve killed more but the reality is that biden &amp; obama looked into this and had scientists verify that it wasn\xe2\x80\x99t which is why they took drastic measures but didn\xe2\x80\x99t shut anything down or ban travel.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1074,10/23/2020,hmm \xf0\x9f\xa4\x94 because the only plausible answer means the bidencrimefamiily is going to jail. pedo pinocchio joe biden is a traitor used his office to sell out america \xf0\x9f\x98\xa1 lockupbiden,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1075,10/23/2020,hope over fear. debate biden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1076,10/23/2020,houston we have a problem biden wants to end the oilindustry. debates2020 presidentialdebates2020,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1077,10/23/2020,how are these 2 old ass dudes even able to be up there  presidentialdebate2020 trump biden,United States of America,Washington,WA,Joe Biden,0,-0.5\r\n1078,10/23/2020,how did joebiden  earn his money jailtimejoe,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1079,10/23/2020,how do i apply to be part of aoc\xe2\x80\x99s + 3  aoc aoc 2020presidentialdebate biden bidenharristosaveamerica cnn,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1080,10/23/2020,how does joebiden stand this ridiculous bloviator trumplies,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1081,10/23/2020,how is joebiden tweeting while he\xe2\x80\x99s debating this. is. wild. debates2020 trump biden,United States of America,New York,NY,Joe Biden,2,0\r\n1082,10/23/2020,how is trump... the dude who doesn't beleive in god considered the christian over biden who attends mass religiously,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n1083,10/23/2020,how politically damaging were biden\xe2\x80\x99s comments about closing down the oilindustry exploration upstream crudeoil,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1084,10/23/2020,how to be a man and a father..... joebiden bidenharris2020,United States of America,California,CA,Joe Biden,2,0\r\n1085,10/23/2020,huge closing statement biden,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1086,10/23/2020,human lives &gt; than the economy if everyone is dead who will be working to stimulate the economy \xf0\x9f\xa4\x94 bm4f leadfreeusa younggiftedgreen debates2020 presidentialdebate2020 biden trump,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1087,10/23/2020,hunter's ex-partner recounts meeting joe biden claims family 'paranoid' about hiding former vp's involvement  foxnews hunterbiden hunterbidenlaptop hunterbidenemails joebiden,United States of America,California,CA,Joe Biden,0,-0.6\r\n1088,10/23/2020,i am loving this. trump needs to let biden have 75% of the airtime. he\xe2\x80\x99s diogo for his own grave.,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1089,10/23/2020,i am not a republican but if joebiden is our hope... we are totally fucked,United States of America,New York,NY,Joe Biden,2,0\r\n1090,10/23/2020,i and a couple hundred thousand other louisianan's have pleaded for this since april and are thrilled it is happening but qua biden c'mon...,United States of America,Louisiana,LA,Joe Biden,0,-0.3\r\n1091,10/23/2020,i believe that realdonaldtrump believes he is not racist. however this doesn't make him not racist. this makes him unaware of his intersectionality bisases privilege &amp; basic knowledge of american systems biden trump whiteprivilege systemicracism votebluetoendthisnightmare,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1092,10/23/2020,i bet biden did nothing when he was vp  debates2020,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n1093,10/23/2020,i cannot believe 40 minutes have gone by debates2020 debate2020 trump biden,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n1094,10/23/2020,i can\xe2\x80\x99t imagine why the least racist person in this room keeps using president obama\xe2\x80\x99s middle name. hmmm racistinchief trumpisalaughingstock bidenharris2020 biden,United States of America,Michigan,MI,Joe Biden,0,-0.2\r\n1095,10/23/2020,i find it amusing that neither hunter nor joe biden are trending regarding his scandalous endeavors. you lost a center-left vote and i\xe2\x80\x99m not a huge fan of trump but he\xe2\x80\x99s better for this country than biden. the media and the woke extremists did this.debates2020 trump covid_19,United States of America,Oregon,OR,Joe Biden,0,-0.2\r\n1096,10/23/2020,i get that trump is deplorable but how can joebiden demand the black vote and yet dodge any and all questions about black people and why's he bragging about not supporting m4a during a pandemic of all times he's going to win but he's not the good guy everyone's expecting.,United States of America,South Carolina,SC,Joe Biden,0,-0.8\r\n1097,10/23/2020,i gladly i voted early and chose the right candidate \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 debatetonight bidenharris2020 biden bidenharristosaveamerica,United States of America,Michigan,MI,Joe Biden,1,0.7\r\n1098,10/23/2020,i have to say i\xe2\x80\x99m feeling very zen listening to joebiden bidenharris2020,United States of America,Alaska,AK,Joe Biden,1,0.9\r\n1099,10/23/2020,i hold my breath when biden has to answer \xe2\x80\x9cthe black question.\xe2\x80\x9d just me,United States of America,New York,NY,Joe Biden,2,0\r\n1100,10/23/2020,i just donated $50 to biden after watching trump bitch about how much money biden has raised and how trump \xe2\x80\x9ccould raise so much more\xe2\x80\x9d -  that was my grocery money till payday and i will starve till then if it means we have a shot at being a decent america again debates2020,United States of America,Minnesota,MN,Joe Biden,0,-0.8\r\n1101,10/23/2020,i just ordered one of each topps now election cards and used my topps rewards points and it was free. is that called using a tax credit or cancelling out my vote trump biden,United States of America,New York,NY,Joe Biden,1,0.1\r\n1102,10/23/2020,i knew it. the feds running interference on tonybobulinski senate comm mtg demanding the phones. where were the feds 8-9 mos ago what\xe2\x80\x99s the status on the hunterbidenemails hunterbidenlaptop  and whereishunter  joebiden thebigguy corruptjoebiden,United States of America,California,CA,Joe Biden,0,-0.3\r\n1103,10/23/2020,i learned something about smiles that made me smile. duchenne biden,United States of America,Texas,TX,Joe Biden,1,0.6\r\n1104,10/23/2020,i like biden. period  debatetonight bidenharris2020 debates2020,United States of America,Texas,TX,Joe Biden,1,0.5\r\n1105,10/23/2020,i like how biden is calm smart and clear. he knows policy. he has plans and they support democracy. debate2020 bidenharris2020,United States of America,California,CA,Joe Biden,1,0.6\r\n1106,10/23/2020,i live in michigan. shopped for yogurt halloween candy &amp; flower pots tonight. order out from restaurants regularly &amp; was in my community garden this week. just got back from seeing family. doesn't feel like prison to me. michigan debates2020 debate voteearly biden,United States of America,Michigan,MI,Joe Biden,2,0\r\n1107,10/23/2020,i lost my health insurance for me and my kids because of obamacare. we lost our beloved doctor. biden bidenlies trump2020,United States of America,California,CA,Joe Biden,0,-0.4\r\n1108,10/23/2020,i love how biden keeps reminding trump that this is the united states of america not the republican states of america. he's winning big hammering this home.,United States of America,Ohio,OH,Joe Biden,1,0.6\r\n1109,10/23/2020,i love how they both say tape \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\x92\x80  biden trump 2020election debate,United States of America,California,CA,Joe Biden,1,0.9\r\n1110,10/23/2020,i love joe. biden vote,United States of America,New York,NY,Joe Biden,1,0.6\r\n1111,10/23/2020,i love joebiden his smile he\xe2\x80\x99s on target,United States of America,Louisiana,LA,Joe Biden,1,0.9\r\n1112,10/23/2020,i love this biden debates2020,United States of America,Connecticut,CT,Joe Biden,1,0.9\r\n1113,10/23/2020,i love when biden gets pissed and refers to himself in the third person. that\xe2\x80\x99s the type of bawse shit i needed tonight \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbe debates2020 \xf0\x9f\x8d\xbf\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote \xf0\x9f\x97\xb3,United States of America,California,CA,Joe Biden,0,-0.1\r\n1114,10/23/2020,i love when joe biden when confronted with 100% facts about his family where anyone in the world can look and see the multimillions they made with no experience just says \xe2\x80\x9cnot true\xe2\x80\x9d.debatetonight debates2020\xc2\xa0 biden,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n1115,10/23/2020,i need me a shirt with joe b in shades yelling come on or here's the deal \xf0\x9f\x98\x82. love the getting annoyed from stupidity joe. joebiden debates2020,United States of America,New York,NY,Joe Biden,1,0.2\r\n1116,10/23/2020,i prepaid all my taxes too  lmao debate presidentialdebate moderator election2020\xc2\xa0\xc2\xa0\xc2\xa0 election biden bidenharris biden2020 trump trumppence trump2020 explorerpage presidentialelection presidenttrump presidentbiden presidential president,United States of America,California,CA,Joe Biden,0,-0.5\r\n1117,10/23/2020,i really and truly pray biden wins. please go and vote \xf0\x9f\x98\x9e\xf0\x9f\x98\x9e\xf0\x9f\x98\x9e biden,United States of America,New Jersey,NJ,Joe Biden,1,0.4\r\n1118,10/23/2020,i recorded the debate but i\xe2\x80\x99m honestly exhausted by and tired of dt. i already voted for joebiden so just like... wake me up when the elections won please don\xe2\x80\x99t make me repeat the pain i felt in 2016. k thx.,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n1119,10/23/2020,i see the debate has already turned into a hot mess tonight. presidentialdebate2020 trump biden debates2020 welldarn,United States of America,Kentucky,KY,Joe Biden,0,-0.4\r\n1120,10/23/2020,i sent it off yesterday. let's do this votebiden bidenharris joebiden ridenwithbiden vote,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1121,10/23/2020,i swear i saw jeff dunham at the presidential debate. joebiden presidentialdebate2020,United States of America,New York,NY,Joe Biden,1,0.1\r\n1122,10/23/2020,i think biden talking bad about abe was way off abe didn't even get a chance to respond,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1123,10/23/2020,i think biden\xe2\x80\x99s manner spoke volumes about his character tonight. his performance reminded us that we don\xe2\x80\x99t have to live like this we have a choice- and we can make that choice in two weeks.  debates2020 debatetonight debate debatedogs bidenharris2020 biden,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n1124,10/23/2020,i thought the mics were muted biden interrupts,United States of America,North Carolina,NC,Joe Biden,0,-0.7\r\n1125,10/23/2020,i voted for joebiden  and kamalaharris in texas yesterday with bells on. have you voted for biden yet make your plan. vote tomorrow. wear your mask. debates2020 turntexasblue,United States of America,Texas,TX,Joe Biden,2,0\r\n1126,10/23/2020,i want a president who listens to doctors scientists &amp; experts in the face of a pandemic that has already killed 220000 americans and &gt; 1 mil people worldwide. if you're like me volunteer now  debates2020 joebiden bidenharris presidentialdebate2020,United States of America,Texas,TX,Joe Biden,2,0\r\n1127,10/23/2020,i want biden to call out trump on the proud boys statement. puh-lease debates2020,United States of America,Texas,TX,Joe Biden,2,0\r\n1128,10/23/2020,i want my this is the same fellow t-shirt. joebiden debatetonight debates2020,United States of America,New York,NY,Joe Biden,1,0.3\r\n1129,10/23/2020,i watched 5 min of the debate last night . i literally can\xe2\x80\x99t with 45\xe2\x80\x99s energy  biden isn\xe2\x80\x99t my first choice but it\xe2\x80\x99s a step in the future i envision.\xe2\x9c\xa8 vote  biden,United States of America,California,CA,Joe Biden,1,0.1\r\n1130,10/23/2020,i will be glad when all this is over  debates2020 trump biden,United States of America,California,CA,Joe Biden,1,0.2\r\n1131,10/23/2020,i will not watch another chaotic debate not tonight but good luck joebiden,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1132,10/23/2020,i wonder how much the trump campaign paid to get hunters icloud account hacked then get a store owner and some random business partner that was mad to claim joebiden is doing business with china trumpcampaign biden 2020election,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n1133,10/23/2020,i would very much like to take his windows and replace them with bars. biden bidenharris2020tosaveamerica debates2020,United States of America,California,CA,Joe Biden,2,0\r\n1134,10/23/2020,i'm not gonna lie. as a lysanderspooner kind of anarchist with zero faith in any state trump did torch biden. i believe america should be embarrassed that a man speaking like a 5 year old is on the doorstep of the whitehouse.,United States of America,Arizona,AZ,Joe Biden,0,-0.7\r\n1135,10/23/2020,i'm now on a 15 minute delay bc it's not easy to watch this crap but this is making it so obvious neither candidate wants to win. biden keeps walking into the woodchipper with foreign-interference stuff but trump has got his own woodchipper situation here houses really,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1136,10/23/2020,i'm raising money for help fund my american dream. click to donate   via gofundme vote\xc2\xa0 trump biden risemoney gofundme kindness gofundme donate help nyc dream america share stockmarket,United States of America,New York,NY,Joe Biden,1,0.1\r\n1137,10/23/2020,idiots destroyed what socialism is. it\xe2\x80\x99s not bad if it\xe2\x80\x99s done right biden isn\xe2\x80\x99t even half as liberal and socialist as berniesanders wtf i\xe2\x80\x99d trumpmeltdown saying he\xe2\x80\x99s throwing out nonsense &amp; threats. debate2020,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1138,10/23/2020,if .gop keeps the senate i would like to know how joebiden would negotiate with .senatemajldr. will mr biden's supporters like the idea of him negotiating with the right debates2020 debates,United States of America,Georgia,GA,Joe Biden,1,0.2\r\n1139,10/23/2020,if abe rose from the dead who would he be more offended by  debate2020 biden trump bidenharristosaveamerica makeamericagreatagain,United States of America,Arizona,AZ,Joe Biden,0,-0.7\r\n1140,10/23/2020,if any republicans actually think this bobulinski story is ever in a million years going to mean anything remember the nypost is still locked out of twitter. the fix is in. bobulinski hunterbidenemails biden,United States of America,Nevada,NV,Joe Biden,0,-0.1\r\n1141,10/23/2020,if joebiden is so worried about first responders then why do the democrats want to defund the police  debates2020 realdonaldtrump trump,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1142,10/23/2020,if y'all don't vote for joebiden y'all can fuck right off,United States of America,California,CA,Joe Biden,0,-0.9\r\n1143,10/23/2020,if you didn't know any better you'd think that donaldtrump was the challenger not the incumbent in tonight's debates2020. he railed against joebiden on healthcare covid19 the economy. biden could've done a better job pointing out that trump is actually the one in office,United States of America,California,CA,Joe Biden,0,-0.7\r\n1144,10/23/2020,if you haven\xe2\x80\x99t voted yet make a plan for the love of ... . trumpiskillingamericans biden,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1145,10/23/2020,if you work in the oil industry or use oil gas or other products don't vote for biden,United States of America,Illinois,IL,Joe Biden,0,-0.4\r\n1146,10/23/2020,imagine that biden,United States of America,Illinois,IL,Joe Biden,2,0\r\n1147,10/23/2020,immigration childrenseparated biden \xe2\x80\x9dwe owe them\xe2\x80\x9d,United States of America,California,CA,Joe Biden,1,0.4\r\n1148,10/23/2020,in case there was any doubt about which team i played for. bidenharris2020 biden2020 joebiden vote,United States of America,California,CA,Joe Biden,1,0.3\r\n1149,10/23/2020,in case you didn\xe2\x80\x99t know your running against joebiden yes joe that\xe2\x80\x99s what i\xe2\x80\x99m talking about show him who\xe2\x80\x99s the man joebiden debatetonight presidentialdebate2020 vote joewillleadus,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1150,10/23/2020,in case you forgot debates2020  debatetonight presidentialdebate joebiden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1151,10/23/2020,in final debate trump biden fight over the raging coronavirus climate and race | | vote vote2020 earlyvote2020 elections election2020,United States of America,Texas,TX,Joe Biden,2,0\r\n1152,10/23/2020,in the last 3 yrs during this crisis he\xe2\x80\x99s fading that ol\xe2\x80\x99 biden,United States of America,Colorado,CO,Joe Biden,0,-0.5\r\n1153,10/23/2020,insider docs hunter biden associates helped chinese military contractor buy mi manufacturing business. cnn msnbc traitor unions jobs veteransforbiden are traitors veterans foxnews democratshateamerica \xe2\x81\xa6malcolmnance\xe2\x81\xa9 joebiden,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1154,10/23/2020,is anyone taking about the bus  joebiden just drove over barackobama  not cool man. that\xe2\x80\x99s a bunch of malarkey biden obama,United States of America,California,CA,Joe Biden,0,-0.7\r\n1155,10/23/2020,is it over yet nbcnews cnnpolitics debatetonight trumpispathetic 2020presidentialdebate biden bidenharris2020 dumptrump2020 dictatortrump crazyuncletrump countryoverparty bluewave,United States of America,Louisiana,LA,Joe Biden,2,0\r\n1156,10/23/2020,is joebiden making sense,United States of America,Arizona,AZ,Joe Biden,0,-0.1\r\n1157,10/23/2020,is trump debating the moderator or joebiden  i can't tell...,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1158,10/23/2020,it doesn't feel very threatening when trump claims doom and gloom if biden wins. this is 2020 after all. trump's 2020.debate2020,United States of America,Utah,UT,Joe Biden,2,0\r\n1159,10/23/2020,it hurts me when some1 attacks my president i can\xe2\x80\x99t imagine how he feels every day. but he still standing strong sayin f**** y\xe2\x80\x99all he\xe2\x80\x99s the real mother fk\xe2\x80\x99n g. that\xe2\x80\x99s our president  debates2020 debatetonight  trump crookedjoebiden biden realdonaldtrump donaldjtrumpjr,United States of America,District of Columbia,DC,Joe Biden,0,-0.9\r\n1160,10/23/2020,it is what it is. fridaythoughts trump bidenharris2020tosaveamerica biden trumpisanationaldisgrace votebluetosaveamerica,United States of America,Indiana,IN,Joe Biden,2,0\r\n1161,10/23/2020,it should be a state option says donaldtrump on the minimum wage again expressing his lack of understanding of economics debates2020 while joebiden continues to support $15 an hour,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n1162,10/23/2020,it was a little presumptuous &amp; narcissistic for joebiden to refer to his health insurance plan using his own name. the affordablecareact was nicknamed obamacare but not by barackobama &amp; joe is not the potus &amp; there is not biden care legislation currently being considered,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n1163,10/23/2020,it was painful. it was like watching sub zero versus ernie from the rest home. i was prating for trump to finishhim for joebiden at the presidentialdebate2020 debates2020 presidentialdebate. lord have mercy joe got slaughtered. someone get joe his meds,United States of America,California,CA,Joe Biden,0,-0.4\r\n1164,10/23/2020,it's chinas fault at 16 minutes in. so far we have lies joe in the basement and chinavirus. ugh. stronglywordedpod presidentialdebate2020 presidentialdebate biden trump debatefly,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n1165,10/23/2020,it\xe2\x80\x99s amazing that joebiden supporters have no problem calling trump a racist but completely forget the racist comments that biden bidencares debates2020\xc2\xa0 debatetonight debate2020 bidenharris2020 trump2020,United States of America,Georgia,GA,Joe Biden,1,0.2\r\n1166,10/23/2020,it\xe2\x80\x99s gonna be my 1st time voting for president this year. biden,United States of America,California,CA,Joe Biden,1,0.1\r\n1167,10/23/2020,it\xe2\x80\x99s not even worth his time to respond. debates2020 debatetonight debate2020 debate debates maddow bitmojimaddow joebiden biden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1168,10/23/2020,it\xe2\x80\x99s now gone realdonaldtrump when will you be gone debate presidentialdebate2020 biden,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1169,10/23/2020,it\xe2\x80\x99s obvious trump &amp; biden see 2 very different america\xe2\x80\x99s &amp; i know biden\xe2\x80\x99s scares me but trumps fills me w/hope and pride,United States of America,Arizona,AZ,Joe Biden,0,-0.3\r\n1170,10/23/2020,it\xe2\x80\x99s true realdonaldtrump does know more about wind than joebiden biden bidenwonthedebate bidenharris2020 dumptrump votehimout,United States of America,Colorado,CO,Joe Biden,1,0.2\r\n1171,10/23/2020,ivankatrump i voted for joebiden and have encouraged everyone to do the same \xe2\x80\x94to flush you your father and gop lowlife grifters from our democracy voteearly,United States of America,New York,NY,Joe Biden,1,0.2\r\n1172,10/23/2020,ivoted ivotedearly ivotedtoday bidenharris2020 joebiden kamalaharris womensupportingwomen womenempowerment womeninleadership satji  san diego california,United States of America,California,CA,Joe Biden,1,0.4\r\n1173,10/23/2020,i\xe2\x80\x99m a domestic violence survivor. for domesticviolenceawarenessmonth and with the election. i\xe2\x80\x99d like to point out that without joebiden \xe2\x80\x98s violence against women act i wouldn\xe2\x80\x99t have been able to work one of nyc\xe2\x80\x99s  first covid designated icu\xe2\x80\x99s since march. thanks joe vawa,United States of America,New York,NY,Joe Biden,2,0\r\n1174,10/23/2020,i\xe2\x80\x99m doing curls for every vote. for every biden vote i\xe2\x80\x99m curling 30lbs. show me a trump supporter who can even lift my gym bag biden election2020 vote fitness,United States of America,Texas,TX,Joe Biden,1,0.2\r\n1175,10/23/2020,i\xe2\x80\x99m going to shut down the virus not the country- joebiden debates debates2020,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1176,10/23/2020,i\xe2\x80\x99m not sure why climate change is brought up in debates. by and large the american people don\xe2\x80\x99t give a riddlers fuck about climate change. election2020 debates2020 biden trump,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1177,10/23/2020,i\xe2\x80\x99m pissing my pants get joebiden out of my face presidentialdebate2020 enoughisenough trump2020landslidevictory and trump is right open the nation,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1178,10/23/2020,i\xe2\x80\x99m so happy i earlyvoted for biden  debates2020,United States of America,Texas,TX,Joe Biden,1,0.9\r\n1179,10/23/2020,i\xe2\x80\x99m so nervous my makeup won\xe2\x80\x99t stand my sweaty cheetos face debates2020 trump biden trumpmeltdown trumpisnotwell maga maga2020  bidenharrislandslide2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1180,10/23/2020,i\xe2\x80\x99m so over it i can\xe2\x80\x99t wait until nov. 4th trump and biden  presidentialdebates,United States of America,Michigan,MI,Joe Biden,1,0.1\r\n1181,10/23/2020,i\xe2\x80\x99m voting biden \xe2\x80\x98cause trumpispathetic,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1182,10/23/2020,i\xe2\x80\x99ve been mad during these three debates because i felt like the moderator seemed to cut joebiden off more often than trump. i finally realized just now that it\xe2\x80\x99s because joebiden actually respects the moderator and the debate process. debates2020,United States of America,Minnesota,MN,Joe Biden,2,0\r\n1183,10/23/2020,i\xe2\x80\x99ve understood undecided voters in prior elections. not this one. not now. election2020 vote biden,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n1184,10/23/2020,jackposobiec why won\xe2\x80\x99t the nytimes go over and look at the laptopfromhell biden  emails and photos it is an open offer. do it today nytimes,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1185,10/23/2020,jajaja la carita de biden... his facial expressions are amazing tonight spanglish debates2020 biden presidentialdebate2020,United States of America,California,CA,Joe Biden,1,0.9\r\n1186,10/23/2020,james madison framer of our constitution said all societies are divided into different interests and factions. government must be sufficiently neutral to control one part of society from invading the rights of another.  parties divide us. can gov unite us  trump biden oy,United States of America,Massachusetts,MA,Joe Biden,0,-0.3\r\n1187,10/23/2020,jerrydunleavy knowing media covers did debate preps say to biden go ahead lie he also lied on emails being russian influence on money from moscow on saying trump\xe2\x80\x99s china travel ban was xenophobic on why usaid stalled in congress on impeachment hearing conclusions on burisma more.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1188,10/23/2020,jewelissa w_terrence course he doesn\xe2\x80\x99t. he\xe2\x80\x99s going thru emotional/moral crisis w/hunterbidenemails thing. i\xe2\x80\x99m not a joebiden fan by far but on a human note he looks like he\xe2\x80\x99s been down this road w/hunter\xe2\x80\x99s antics many times before. thebigguy is tired but refuses to throw his son to the wolves.,United States of America,California,CA,Joe Biden,0,-0.4\r\n1189,10/23/2020,jillbiden  biden vote2020  usa,United States of America,California,CA,Joe Biden,1,0.3\r\n1190,10/23/2020,jimmy_dore hotepjesus example of misinformation peddling misinformation or example of hold the line biden trump debatetonight debate2020 politics russiandisinformation russiandisinformation trending tech newsnight newsgang msnbc foxnews cnn,United States of America,California,CA,Joe Biden,0,-0.8\r\n1191,10/23/2020,jobsandclimate under biden administration,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1192,10/23/2020,joe biden be in his car with that mask on he\xe2\x80\x99s not playing no games with y\xe2\x80\x99all biden,United States of America,North Carolina,NC,Joe Biden,0,-0.8\r\n1193,10/23/2020,joe biden had kkk as his mentors....look it up. debates2020  presidentialdebates2020 joebiden,United States of America,Arizona,AZ,Joe Biden,1,0.3\r\n1194,10/23/2020,joe biden is much better at speeches then donald trump. i actually feel like he\xe2\x80\x99s put in some thought to what he says. biden,United States of America,Virginia,VA,Joe Biden,1,0.2\r\n1195,10/23/2020,joe biden is the big man. no doubt. he sold out his position to the most evil country on earth. he's a complete liar. come clean. at least blame it on your son. this is insane.biden,United States of America,Ohio,OH,Joe Biden,2,0\r\n1196,10/23/2020,joe biden knows the american economy grows from the inside out not the top down. joebiden donaldtrump economy middleclass debate,United States of America,Arizona,AZ,Joe Biden,1,0.2\r\n1197,10/23/2020,joe biden lies about his support for a fracking ban as mr trump proves in this video then chinajoebiden proves he's a bald faced liar &amp; also senile by confessing 30 minutes later that he wants to eleminate the entire oil &amp; gas industry then claims he's  trustworthy joebiden,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1198,10/23/2020,joe biden sealed it right here. he spoke to the nation. trump was speaking to the fox echo chamber. biden debates2020,United States of America,California,CA,Joe Biden,1,0.2\r\n1199,10/23/2020,joe biden winter is coming election2020 debates2020 joebiden,United States of America,Illinois,IL,Joe Biden,1,0.2\r\n1200,10/23/2020,joe biden won both debates. biden is the better man and he will be the better president in fact a great president and jill biden will bring class intelligence and kindness in her position as first lady. thank you jill for your &amp; joe\xe2\x80\x99s willingness to serve our country. biden,United States of America,Texas,TX,Joe Biden,1,0.6\r\n1201,10/23/2020,joe biden's average salary as senator was $142695. after tax that's about $90k how is he worth almost $10 million where is the money coming from maga kag trump2020 landslide2020 dnc biden election2020 bidenharris2020 trump,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1202,10/23/2020,joe during the debate last night debates2020 debate debatetonight joebidensneighborhood joebiden lyingjoebiden realdonaldtrump,United States of America,Nevada,NV,Joe Biden,1,0.1\r\n1203,10/23/2020,joe lied fracking=oil/gas  fossil fuels=coal crude oil natural gas   gas prices will be double to triple per gallon.  park your cars get a horse and buggy.  many cold nights back to wood burning. debatetonight biden debate fracking cnn foxnews,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1204,10/23/2020,joe that was a good closing. joebiden,United States of America,Pennsylvania,PA,Joe Biden,1,0.4\r\n1205,10/23/2020,joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1206,10/23/2020,joebiden,United States of America,Minnesota,MN,Joe Biden,1,0.3\r\n1207,10/23/2020,joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1208,10/23/2020,joebiden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1209,10/23/2020,joebiden,United States of America,Washington,WA,Joe Biden,1,0.3\r\n1210,10/23/2020,joebiden   i want to knowjoe what job you have held in your life that wasn\xe2\x80\x99t connected to politics. you sure seem like a swamp creature. \xf0\x9f\x91\x8e\xf0\x9f\xa4\xae\xf0\x9f\x91\x8e,United States of America,Arizona,AZ,Joe Biden,0,-0.4\r\n1211,10/23/2020,joebiden  call a lid and wait this thing out he can\xe2\x80\x99t be out for the next 10 days. ouch,United States of America,Michigan,MI,Joe Biden,0,-0.1\r\n1212,10/23/2020,joebiden  is empathy and leadership. compassion for drug and alcohol addiction not jail. more love and understanding in this world \xe2\x9d\xa4\xef\xb8\x8f,United States of America,California,CA,Joe Biden,1,0.4\r\n1213,10/23/2020,joebiden 45 million people have voted already. that\xe2\x80\x99s over 30% the number of people who voted in total in 2016. let\xe2\x80\x99s keep it up no vote left behind folks. biggest election ever. dumptrump voteearly biden bluewave bidenharrislandslide2020 ensure your friends and fam vote,United States of America,California,CA,Joe Biden,1,0.1\r\n1214,10/23/2020,joebiden after tonight's debate  debates2020,United States of America,Arizona,AZ,Joe Biden,0,-0.3\r\n1215,10/23/2020,joebiden and kamalaharris,United States of America,California,CA,Joe Biden,2,0\r\n1216,10/23/2020,joebiden biden is all... debate debates debates2020 debatetonight,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1217,10/23/2020,joebiden bidencare out of touch rumblingjoe please stop him before he continues to ruin the democraticparty debate2020,United States of America,California,CA,Joe Biden,0,-0.9\r\n1218,10/23/2020,joebiden bidenharris bidenharristosaveamerica,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1219,10/23/2020,joebiden bidenharris2020 election2020,United States of America,Georgia,GA,Joe Biden,1,0.3\r\n1220,10/23/2020,joebiden brought up hitler mentioned the b52s and said nothing to deny hunter being involved with ukraine... debates2020,United States of America,North Carolina,NC,Joe Biden,2,0\r\n1221,10/23/2020,joebiden by a mile  no contest.  cogent patient &amp; so smart alongside the dimmest bulb in the pack.  what an awful man &amp; what a horrible presidency. his name will live in infamy.  which reminds me...is stephenmiller dead over 540 children will never see their families again.,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1222,10/23/2020,joebiden calls trump racist but what about robertbyrd you fucking moron,United States of America,California,CA,Joe Biden,0,-0.9\r\n1223,10/23/2020,joebiden cant keep his kid off crack much less handle a pandemic,United States of America,Georgia,GA,Joe Biden,0,-0.6\r\n1224,10/23/2020,joebiden corruptjoebiden corruptpoltician truly a out of touch,United States of America,California,CA,Joe Biden,0,-0.7\r\n1225,10/23/2020,joebiden did a good job on this debate. well organized and done,United States of America,California,CA,Joe Biden,1,0.9\r\n1226,10/23/2020,joebiden did a great job he and kamalaharris are just what our country needs right now. joebiden senkamalaharris bidenharris2020 debates debates2020 debatetonight,United States of America,Arkansas,AR,Joe Biden,1,0.4\r\n1227,10/23/2020,joebiden didn't do it four years ago because mitchmcconnell and paulryan wouldn't let them. debatetonight debate debates2020,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1228,10/23/2020,joebiden dodges challenges to his performance regarding the crimea russia and ukraine events that occurred under his watch. debatetonight debates2020,United States of America,Georgia,GA,Joe Biden,1,0.2\r\n1229,10/23/2020,joebiden doesn't even write his own tweets on here. during the debate last night biden was tweeting on here while he was saying his bs at the podium. your fake news. f..k..g \xf0\x9f\x8d\xa9,United States of America,Colorado,CO,Joe Biden,0,-0.7\r\n1230,10/23/2020,joebiden don\xe2\x80\x99t you idiots in the biden campaign realize that when you post tweets while you\xe2\x80\x99re candidate speaks in a debate confirms that biden does t write his tweets. meaning that they are meaningless.,United States of America,New York,NY,Joe Biden,0,-0.9\r\n1231,10/23/2020,joebiden earned a much deserved post-debate libation. debates2020,United States of America,California,CA,Joe Biden,1,0.5\r\n1232,10/23/2020,joebiden election2020,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n1233,10/23/2020,joebiden for the win again \xf0\x9f\xa4\x98\xf0\x9f\x8f\xbd\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\xa4\x98\xf0\x9f\x8f\xbd bidenharris2020 biden,United States of America,California,CA,Joe Biden,1,0.6\r\n1234,10/23/2020,joebiden forpresident,United States of America,Louisiana,LA,Joe Biden,1,0.3\r\n1235,10/23/2020,joebiden graduated 2nd from the bottom last of his class. got in trouble for copying speeches from other politicians. biden was worth 300 k when he go in politics. where's his client list what cases did he handlehow did he amass tens of millions while a public servant graft,United States of America,California,CA,Joe Biden,0,-0.3\r\n1236,10/23/2020,joebiden had the questions previously. the last question is the proof by his memorized answer. \xe2\x80\x9ccome on\xe2\x80\x9d as he said all debate get serious,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1237,10/23/2020,joebiden has memorized his talking points. he keeps repeating ventilationsystems debates2020,United States of America,Minnesota,MN,Joe Biden,0,-0.5\r\n1238,10/23/2020,joebiden hasn\xe2\x80\x99t been around 4 for days. wonder if he got the questions ahead of time. we shall see. presidentialdebate2020 sleepyjoe donaldtrump votered voteready,United States of America,California,CA,Joe Biden,2,0\r\n1239,10/23/2020,joebiden help end the trump nightmare of lies lies lies at  a crowdsourced grassroots project to display billboards in battleground states. dumptrump liarinchief biden bidenharris2020 racisttrump,United States of America,Oregon,OR,Joe Biden,0,-0.1\r\n1240,10/23/2020,joebiden i feel bad for this guy. he can\xe2\x80\x99t even read the teleprompter,United States of America,Michigan,MI,Joe Biden,0,-0.8\r\n1241,10/23/2020,joebiden in dc for 47 years &amp; never accomplished any of the promises he\xe2\x80\x99s making now. his time is up he\xe2\x80\x99s past his bed time. go enjoy the $$ you made w/ hunterbiden. cnn wolfblitzer jaketapper danabashcnn fakenewsmedia hunterbidenemails debatetonight debate2020 biden,United States of America,New York,NY,Joe Biden,2,0\r\n1242,10/23/2020,joebiden in fact did call black people predators crimebill debatetonight,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1243,10/23/2020,joebiden interrupts,United States of America,Georgia,GA,Joe Biden,0,-0.6\r\n1244,10/23/2020,joebiden is a corrupt politician,United States of America,Nevada,NV,Joe Biden,0,-0.8\r\n1245,10/23/2020,joebiden is a corrupt washington insider crook draintheswamp realdonaldtrump,United States of America,Arizona,AZ,Joe Biden,0,-0.8\r\n1246,10/23/2020,joebiden is a crazy corrupt nut unfit to be president.,United States of America,Arizona,AZ,Joe Biden,0,-0.9\r\n1247,10/23/2020,joebiden is a delusional 47 yr politician that hasn\xe2\x80\x99t done shit and continues to talk about the same gdamn things and what he is gonna do which anyone with any common sense knows is bs caf nobiden,United States of America,Missouri,MO,Joe Biden,0,-0.8\r\n1248,10/23/2020,joebiden is a joke and it shows every time he laughs because he is embarrassed what a country this is sleepyjoe,United States of America,Arizona,AZ,Joe Biden,0,-0.9\r\n1249,10/23/2020,joebiden is a racist,United States of America,Florida,FL,Joe Biden,2,0\r\n1250,10/23/2020,joebiden is cracking me up he\xe2\x80\x99s like lord help us this man is completely nuts \xf0\x9f\x98\x82\xf0\x9f\x98\x82 presidentialdebate2020 msnbc,United States of America,Michigan,MI,Joe Biden,1,0.1\r\n1251,10/23/2020,joebiden is dodging like a mofo. russia ukraine china kazakhstan china,United States of America,Arizona,AZ,Joe Biden,0,-0.4\r\n1252,10/23/2020,joebiden is looking like he's about to have a heartattack he's not going to live long,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n1253,10/23/2020,joebiden is losing it on live tv.  it almost feels cruel to watch. presidentialdebate2020,United States of America,North Carolina,NC,Joe Biden,0,-0.4\r\n1254,10/23/2020,joebiden is lying about killing fossil fuels and franking trump has the videos. presidentialdebate2020,United States of America,Minnesota,MN,Joe Biden,0,-0.2\r\n1255,10/23/2020,joebiden is nailing this answer on foreign election interference trumplieseverytimehespeaks debates2020,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1256,10/23/2020,joebiden is not a serious person.,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1257,10/23/2020,joebiden is so done it\xe2\x80\x99s over. the only way you can win is via fraud,United States of America,Missouri,MO,Joe Biden,0,-0.7\r\n1258,10/23/2020,joebiden is spot on the important factors. he doesn\xe2\x80\x99t see red and blue he sees america a better and united america.,United States of America,Florida,FL,Joe Biden,1,0.6\r\n1259,10/23/2020,joebiden is straight up lying about his reaction to coronavirus debatetonight,United States of America,Minnesota,MN,Joe Biden,0,-0.8\r\n1260,10/23/2020,joebiden is the only one who is going to follow the experts &amp; lead us out of covid trumpliespeopledie debates2020,United States of America,Illinois,IL,Joe Biden,2,0\r\n1261,10/23/2020,joebiden is the president we need right now leadership joebiden votebidenharris2020 vote voteearly,United States of America,Michigan,MI,Joe Biden,1,0.2\r\n1262,10/23/2020,joebiden is very clear what he\xe2\x80\x99s saying. he\xe2\x80\x99s calm and presents himself as the future of the president  debates2020,United States of America,California,CA,Joe Biden,1,0.8\r\n1263,10/23/2020,joebiden joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1264,10/23/2020,joebiden joebiden whobuiltthecagesjoe,United States of America,Missouri,MO,Joe Biden,1,0.3\r\n1265,10/23/2020,joebiden joebiden your true colors our potus at realdonldtrump realdonaldtrump you will be reelected,United States of America,Colorado,CO,Joe Biden,1,0.5\r\n1266,10/23/2020,joebiden joebiden2020 debates2020 democrat trump2020 donaldtrump communism communists adolfhitler,United States of America,New York,NY,Joe Biden,1,0.3\r\n1267,10/23/2020,joebiden joebiden2020 dnc debates2020 debatetonight debatepr,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n1268,10/23/2020,joebiden joebidenkamalaharris2020 joebiden2020 debates2020 debatetonight debate2020 debates debate blackpanther lgbt lgbtqts alyssamilano,United States of America,Nevada,NV,Joe Biden,2,0\r\n1269,10/23/2020,joebiden joebidenkamalaharris2020 joebiden2020 lgbt lgbtqtogether amycomeybarrett alyssamilano blacklivesmatter blacksfortrump blackpanther blacktranslivesmatter climatechange climateaction climatecrisis dnc2020 debates2020 joe lies lies lies,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n1270,10/23/2020,joebiden just brought up russia and hunter debatetonight,United States of America,Minnesota,MN,Joe Biden,2,0\r\n1271,10/23/2020,joebiden just says anything. another lolnothingmatters moment last night.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1272,10/23/2020,joebiden just spit that one nickiminaj verse chinarhymeswithchina,United States of America,California,CA,Joe Biden,0,-0.2\r\n1273,10/23/2020,joebiden knows his name ..... go figure debatetonight,United States of America,Louisiana,LA,Joe Biden,1,0.3\r\n1274,10/23/2020,joebiden knows history debatetonight,United States of America,New York,NY,Joe Biden,1,0.4\r\n1275,10/23/2020,joebiden lied again. factsmatter,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n1276,10/23/2020,joebiden loves to politicize death. sickening.,United States of America,Arizona,AZ,Joe Biden,0,-0.6\r\n1277,10/23/2020,joebiden lying about usa relations with germany ala hitler. the us was an isolationist nation pre-ww2 and didn\xe2\x80\x99t muddle in world affairs. the us didn\xe2\x80\x99t enter ww2 till 1941. lyin joe doing what he does best.,United States of America,California,CA,Joe Biden,0,-0.2\r\n1278,10/23/2020,joebiden lyinggggg about what\xe2\x80\x99s happening at the border really pisses me off... \xf0\x9f\xa4\xac\xf0\x9f\xa4\xac\xf0\x9f\xa4\xac\xf0\x9f\xa4\xac debates2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1279,10/23/2020,joebiden maga,United States of America,New York,NY,Joe Biden,1,0.3\r\n1280,10/23/2020,joebiden must be exhausted after debating with trump. debates2020 presidentialdebate,United States of America,California,CA,Joe Biden,0,-0.1\r\n1281,10/23/2020,joebiden n word statements  via youtube,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1282,10/23/2020,joebiden needs to remind viewers that mitch mcconnell made it is mission to make barackobama a one term president &amp; when that didn\xe2\x80\x99t he became an extreme obstructionist...remember michaelsteele &amp; advent of tea party debatetonight,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1283,10/23/2020,joebiden obamacare,United States of America,New York,NY,Joe Biden,1,0.3\r\n1284,10/23/2020,joebiden offers competency honor integrity a life lived as a godly good man devoted to family his wife god &amp; country joe offers a bright future where we get the coronavirus in check rebuild unite the nation move forward &amp; social justice debates2020 bidenwon dems,United States of America,California,CA,Joe Biden,1,0.6\r\n1285,10/23/2020,joebiden please consider an interview with howardstern ... would be a great audience to target and howard is one of the best. joebiden vote,United States of America,California,CA,Joe Biden,1,0.3\r\n1286,10/23/2020,joebiden please don\xe2\x80\x99t let him gaslight you debates2020,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1287,10/23/2020,joebiden presidentialdebate2020,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1288,10/23/2020,joebiden said business aren't shutdown by high minimum wage.  he might want to check on the family business that aoc worked for that is now out of business because nyc fees/wage-increase and more.,United States of America,Nevada,NV,Joe Biden,0,-0.5\r\n1289,10/23/2020,joebiden said it he will do away with \xf0\x9f\x9b\xa2 oil  remember that philadelphia  ohio texas. you be on unemployment soon,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n1290,10/23/2020,joebiden said malarkey drink,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1291,10/23/2020,joebiden slaaayyyyed trump the abrahamlincoln comment \xf0\x9f\xa4\xa3. i slowed clapped during the hitler comment. trump is delusional. spouting from the same script as he has the past 4 years. bidenharris2020 biden debates2020,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1292,10/23/2020,joebiden so proud of you joebiden bidenwon biden debates2020 debates debatetonight debate2020,United States of America,California,CA,Joe Biden,1,0.7\r\n1293,10/23/2020,joebiden speech gets trump trained \xf0\x9f\x9a\x89 chu chu realdonaldtrump trump2020 debates2020 trumptrain joebiden,United States of America,California,CA,Joe Biden,0,-0.2\r\n1294,10/23/2020,joebiden talking about separation of parents &amp; children immigration presidentialdebates2020 . major racist hypocrite wanted niece of islamophobia judge as vp gretchenwhitmer  but picked kamalaharris who protected racialpurging judge et al 2013.,United States of America,California,CA,Joe Biden,0,-0.2\r\n1295,10/23/2020,joebiden talking truth about climate and energytransition debates2020,United States of America,Arizona,AZ,Joe Biden,2,0\r\n1296,10/23/2020,joebiden the real racist always has been.,United States of America,New York,NY,Joe Biden,1,0.5\r\n1297,10/23/2020,joebiden to russia,United States of America,Texas,TX,Joe Biden,2,0\r\n1298,10/23/2020,joebiden told presidenttrump to play the tape on his statement about fracking and president trump delivered yet again.,United States of America,Georgia,GA,Joe Biden,0,-0.3\r\n1299,10/23/2020,joebiden vote votebidenharristosaveamerica,United States of America,Texas,TX,Joe Biden,1,0.2\r\n1300,10/23/2020,joebiden voter.,United States of America,Alabama,AL,Joe Biden,0,-0.2\r\n1301,10/23/2020,joebiden was against fracking.  until he saw how pennsylvania voters took to the statement.  then he changed his mind.,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1302,10/23/2020,joebiden washingtoninsider draintheswamp how much money has joebiden hunterbiden stolen from usa ukrainegate donothingjoe,United States of America,Arizona,AZ,Joe Biden,0,-0.7\r\n1303,10/23/2020,joebiden we know your son hunterbiden took all the money.,United States of America,Arizona,AZ,Joe Biden,0,-0.6\r\n1304,10/23/2020,joebiden wife so stylish\xf0\x9f\xa5\xb0,United States of America,Louisiana,LA,Joe Biden,1,0.9\r\n1305,10/23/2020,joebiden will shut us all down we will be a 3rd world country by 2022,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n1306,10/23/2020,joebiden won this debate tonight.,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n1307,10/23/2020,joebiden won. pass it on. bidenwon bidenwondebate joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n1308,10/23/2020,joebiden yay you\xe2\x80\x99re not taking the bait,United States of America,California,CA,Joe Biden,0,-0.1\r\n1309,10/23/2020,joebiden you have china  and iran in your corner nationalsecurityrisk joebiden debates2020,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n1310,10/23/2020,joebiden's answer on coronavirus amounts to saying it is real and he will have a plan. that is a platitude but the bar is very low. pandemic covid19 debatetonight debates2020,United States of America,New York,NY,Joe Biden,2,0\r\n1311,10/23/2020,joebiden's argument about covid19 &amp; facemask is symptomatic of the democrats ideological failure .... if wearing face mask is healthy then most people will choose to do that liberty .... having some senile fascist politician order that action will not change the outcomes,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1312,10/23/2020,joebiden's bald faced lies in the debate prove he is just another lying politician with no plan to make voters lives better his entire career has been enriching the chinajoebiden family by selling out the middle class to the highest bidder big banks or wall street or china,United States of America,Texas,TX,Joe Biden,0,-0.9\r\n1313,10/23/2020,joebiden's bald faced lies in the debate prove he is just another lying politician with no plan to make voters lives better his entire career has been enriching the chinajoebiden family by selling out the middle class to the highest bidder big banks or wall street or china,United States of America,Texas,TX,Joe Biden,0,-0.9\r\n1314,10/23/2020,joebiden's son is not running for president. i really don't care how he makes his cheddar. debatetonight debates2020,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n1315,10/23/2020,joebiden\xe2\x80\x99s campaign fired back after tonybobulinski a former business associate of hunterbiden claimed biden was involved in his son\xe2\x80\x99s business dealings while he was vice president in the obama administration.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1316,10/23/2020,joenbc did the same thing in 2016 wrote in a candidate. not this year.... joebiden \xe2\x9c\x8c\xef\xb8\x8f,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n1317,10/23/2020,joenbc doing anything but voting for biden is a vote for trump. thanks for nothing enjoy your self indulgence. so glad you can afford it. bidenharristoendthisnightmare,United States of America,Texas,TX,Joe Biden,2,0\r\n1318,10/23/2020,joenbc patannmurray brave americans are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1319,10/23/2020,joe\xe2\x80\x99s only platform is orange man bad biden debate cnn realdonaldtrump joebiden,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1320,10/23/2020,joshgad disagree. turnip is full of it but biden is not winning this.,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n1321,10/23/2020,jrubinblogger oh djt is confusing biden with the my pillow guy,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1322,10/23/2020,judicial watch announced it filed a foia lawsuit against the dhs for records that the secret service claims to have destroyed related to a reported physical altercation between a secretservice agent &amp; joebiden at a photo op in 2009. read,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1323,10/23/2020,judywoodruff watching shields &amp; brooks now.  i can tell them one friend changed her vote from joebiden to presidenttrump after the biden comment on oil.,United States of America,Arizona,AZ,Joe Biden,2,0\r\n1324,10/23/2020,junkscience realdonaldtrump what she meant is they can't just put out lies that conveniently show up at the last minute. trump's 40% might be gullible but not 60minutes and the people who will elect joebiden the next president of the united states are not.,United States of America,Maryland,MD,Joe Biden,0,-0.5\r\n1325,10/23/2020,just discovered kwelitv we should talk.  joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1326,10/23/2020,just dropping off my mail in ballot to the early voting site.  voting for joebiden kamalaharris susieleenv kristeewatson michaelnaft ozziefumo ivoted ivotedearly nevada lasvegas joebiden bidenharris2020,United States of America,Nevada,NV,Joe Biden,0,-0.1\r\n1327,10/23/2020,just gonna keep putting this out there. joebiden trump lies fracking,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1328,10/23/2020,just keep fucking voting because these fucks are cheating and the poor boys love this orange piece of shit. election2020 debates2020 biden projectlincoln  trending,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n1329,10/23/2020,just show us - joebiden realdonaldtrump,United States of America,California,CA,Joe Biden,2,0\r\n1330,10/23/2020,just stopping in to observe that people willing to accuse media outlets of conspiring with russia just for asking probing questions\xe2\x80\x94  probably should not be running the country.  biden foxnews nypost,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1331,10/23/2020,just the facts the true or false of the final presidentialdebate2020 between trump and biden via nytimes  facts vote politics election government,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1332,10/23/2020,just think. had president trump never won in 2016 we would never know just how corrupt the democrat leaders aka biden actually were. bidencares bidenharris2020  shame i have to use these \xf0\x9f\x91\x86\xf0\x9f\x8f\xbbhashtags to get noticed because if i use biden crime family it gets suppressed.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n1333,10/23/2020,just to also give kwelkernbc some credit she did an amazing job moderating the second presidential debate 2020 yesterday evening. this is how it\xe2\x80\x99s done. great job. kristenwelker donaldjtrump joebiden presidentialdebate2020 debates2020 election2020 biden trump nbcnews,United States of America,Wyoming,WY,Joe Biden,1,0.4\r\n1334,10/23/2020,just voted \xf0\x9f\x97\xb3 vote voted bidenharris2020 biden2020 joebiden kamalaharris election election2020 politics tn tennessee,United States of America,Tennessee,TN,Joe Biden,0,-0.5\r\n1335,10/23/2020,just waiting on the climate topic like...bm4f leadfreeusa younggiftedgreen debates2020 presidentialdebate2020 biden trump,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1336,10/23/2020,justice and strength\xe2\x80\x94a potent performance from joebiden,United States of America,Illinois,IL,Joe Biden,1,0.8\r\n1337,10/23/2020,justtobefair1 americafighthim oh i ya we did biden bidenwonthedebate bidenharris2020,United States of America,California,CA,Joe Biden,1,0.2\r\n1338,10/23/2020,kaivanshroff stop trump from gaming the electoral college. stand up for democracy; vote joebiden and flipthesenate. verify that you are registered vote as soon as you get your ballot and deliver it by hand if you can. in california you can track your vote online.,United States of America,California,CA,Joe Biden,0,-0.1\r\n1339,10/23/2020,kanye west is even more unstable than donald trump. i predicting a landslide victory for joebiden.,United States of America,California,CA,Joe Biden,0,-0.3\r\n1340,10/23/2020,kellyannepolls maybe he did.  but parts of it made him look like a cold human and complaining for 2 mins when asked what he\xe2\x80\x99d say on inauguration day sums up the donaldtrump presidency. joebiden on the other hand improvised his inauguration speech cuz he has vision  that\xe2\x80\x99s the difference.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1341,10/23/2020,kidrock did it look as good in person as it did on tv with trump owning biden debate2020,United States of America,Louisiana,LA,Joe Biden,1,0.6\r\n1342,10/23/2020,knock knock i'm joebiden,United States of America,Florida,FL,Joe Biden,2,0\r\n1343,10/23/2020,kristen welker is doing an excellent job moderating this second debate. joewillleadus joebiden bidenharris votebidenharris votebidenharristosaveamerica,United States of America,Washington,WA,Joe Biden,1,0.5\r\n1344,10/23/2020,kristen21358698 leerose1985 exactly biden contradicted himself 7 times in first 20 minutes. i\xe2\x80\x99m gonna finish painting my room. 2020trumplandslide,United States of America,California,CA,Joe Biden,2,0\r\n1345,10/23/2020,kristenwelker let joebiden talk and cut off trump debates2020,United States of America,Minnesota,MN,Joe Biden,0,-0.5\r\n1346,10/23/2020,kristinwelker is totally siding with joebiden in this debate debates2020,United States of America,Minnesota,MN,Joe Biden,0,-0.4\r\n1347,10/23/2020,kudos to kirstenwelker on handling the debate and not letting the candidates repeat what happened the crazy show from the 1st debate. debates2020 debatetonight debate trump biden bidenharristosaveamerica,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1348,10/23/2020,last night donaldtrump repeated his lie that he was the leastracistpersonintheroom but did you notice that when the lakers won the nba championship trump didn\xe2\x80\x99t call to congratulate them he certainly congratulated the nhl champs. debates2020 debate2020 joebiden,United States of America,California,CA,Joe Biden,1,0.1\r\n1349,10/23/2020,last night\xe2\x80\x99s debate showed us clearly the difference between the 2 candidates. biden was genuinely concerned about the 545children and trump did not. do you really care,United States of America,Nevada,NV,Joe Biden,1,0.2\r\n1350,10/23/2020,let me bastardize a line from the president that began the bastardization of our country. \xe2\x80\x9cthe only thing we have to fear...are liberals who will riot when donald trump wins another election.\xe2\x80\x9d debate2020 trump biden,United States of America,Indiana,IN,Joe Biden,0,-0.4\r\n1351,10/23/2020,let\xe2\x80\x99s go joebiden \xf0\x9f\x91\x8a\xf0\x9f\x8f\xbb\xf0\x9f\x92\x99\xf0\x9f\x8c\x8a\xf0\x9f\x92\xaa\xf0\x9f\x8f\xbb 2020election debates2020  joebiden bluewave2020 joebidenkamalaharris2020 bluetsunami2020 bidenharristosaveamerica,United States of America,North Carolina,NC,Joe Biden,1,0.2\r\n1352,10/23/2020,let\xe2\x80\x99s talk about what we\xe2\x80\x99re talking about joebiden presidentialdebate2020,United States of America,Georgia,GA,Joe Biden,2,0\r\n1353,10/23/2020,lincoln just got up outta his grave and is on his way to bitch slap the orange man biden debates2020,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1354,10/23/2020,lisengelhart owillis why isn't biden hitting him on the fact that trump called covid19 a democratic hoax geez.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1355,10/23/2020,listen to trump\xe2\x80\x99s rhetoric for 4 more yrs or listen to joebiden speak for 4 yrs \xf0\x9f\xa4\x94\xf0\x9f\xa4\x94,United States of America,Michigan,MI,Joe Biden,0,-0.4\r\n1356,10/23/2020,live final 2020 presidential debate between donald trump joe biden | n...  via youtube presidentialdebate2020 finaldebate2020 trump biden cbs livestream watchnow,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1357,10/23/2020,live presidenttrump and former vp joebiden are facing off in the final presidentialdebate. watch here -&gt;,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1358,10/23/2020,living in a basement schtik jeebus christmas stop debate2020 biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1359,10/23/2020,lmao i can\xe2\x80\x99t anymore this shit is dookie\xf0\x9f\x98\x82 presidentialdebate2020 debatetonight trumpispathetic 2020debate trump joebiden,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1360,10/23/2020,lmao \xf0\x9f\x98\x82 he\xe2\x80\x99s running against this guy joebiden .. luv it joe debates2020,United States of America,Nebraska,NE,Joe Biden,1,0.1\r\n1361,10/23/2020,lobbyists jump in post presidential debate trump vs biden re environment,United States of America,Massachusetts,MA,Joe Biden,0,-0.7\r\n1362,10/23/2020,lol \xf0\x9f\x98\x82 noooo positionstonight debate2020 debatetonight joebiden,United States of America,Texas,TX,Joe Biden,1,0.2\r\n1363,10/23/2020,look at who is talking about character. joebiden is corruption inc. debatetonight,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1364,10/23/2020,looks like we are close to the season finale. good. debates2020 vote biden bidenharristosaveamerica,United States of America,New York,NY,Joe Biden,1,0.4\r\n1365,10/23/2020,love this episode of rubinreport the ruben report. bad ideas are like parasites. blm biden,United States of America,New York,NY,Joe Biden,1,0.1\r\n1366,10/23/2020,lying ass sleepy joebiden biden trump,United States of America,Texas,TX,Joe Biden,0,-0.9\r\n1367,10/23/2020,lying with biden is such a joke.  joebiden debate2020 joebiden,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1368,10/23/2020,lyingbiden vote biden trump foxnews,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1369,10/23/2020,markdavis markdavis play point of no return-kansas in your bumpers tomorrow in honor of biden climate forecast.,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1370,10/23/2020,marklevinshow debtcob america did not have a food relationship with hitler joebiden. you know who did the pontifex of the time did. and america\xe2\x80\x99s enemies did. joebiden knows nothing about our history.,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1371,10/23/2020,marklevinshow to me it doesn\xe2\x80\x99t matter what her political views might be. i think she did a great job moderating this week\xe2\x80\x99s debate. both candidates got a fair chance presenting their points and questions were also good - substantive debate. biden trump thedemocrats gop whitehouse potus,United States of America,Wyoming,WY,Joe Biden,1,0.2\r\n1372,10/23/2020,masslivenews biden bidenharristosaveamerica \xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 votethemallout2020,United States of America,Massachusetts,MA,Joe Biden,1,0.4\r\n1373,10/23/2020,matt_odell  trump or biden or vote bitcoin and optout \xf0\x9f\x92\xaa\xf0\x9f\x92\xaa\xf0\x9f\x92\xaa,United States of America,New York,NY,Joe Biden,2,0\r\n1374,10/23/2020,meenaharris when little black girls get what\xe2\x80\x99s at stake for this country bidenharris2020  biden,United States of America,North Carolina,NC,Joe Biden,0,-0.3\r\n1375,10/23/2020,megynkelly biden just ruined himself the last 5 mins with the oil industry states. that was a big big mistake. his people probably all had heart attacks back stage. biden debatetonight debate2020,United States of America,Nevada,NV,Joe Biden,0,-0.5\r\n1376,10/23/2020,megynkelly mango man is going to lose. very little way toolate bidenharris2020 bidenwon biden,United States of America,Georgia,GA,Joe Biden,0,-0.5\r\n1377,10/23/2020,megynkelly mzhemingway trump best line to biden you\xe2\x80\x99re all talk no action,United States of America,Pennsylvania,PA,Joe Biden,0,-0.7\r\n1378,10/23/2020,megynkelly pattyarquette oh sweetie... shhhhhhhhhhh\xf0\x9f\x99\x84 the grownups are talking. biden bidenharristosaveamerica bidenwon,United States of America,New York,NY,Joe Biden,1,0.2\r\n1379,10/23/2020,megynkelly ppppphhhhaahhaahahhahahaa okayboomer biden is trending for a reason. and trump\xe2\x80\x99s trends are as bad as his polling it\xe2\x80\x99s 13% odds as of today. but i get it it it\xe2\x80\x99s too late to wipe your fingerprints of that train wreck trumpmeltdown,United States of America,California,CA,Joe Biden,0,-0.5\r\n1380,10/23/2020,megynkelly the botox injections are effecting what\xe2\x80\x99s left of your little brain and dark soul.               megynkelly rudythepedo biden trumpisnotamerica boratsubsequentmoviefilm  megyn rudyisarussianasset bidenharris2020landslide republicansagainsttrump,United States of America,Washington,WA,Joe Biden,2,0\r\n1381,10/23/2020,merry123459 europe does all those things and still experiencing record spikes. the only \xe2\x80\x9cplan\xe2\x80\x9d biden has that is different is lockdown. he wants mask mandates and fines who are the mask police when you defundthepolice,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1382,10/23/2020,michelleobama joebiden maybe the next time trump brings up hunterbiden biden should bring up the trumpkids or at least ivankachina copyrights.,United States of America,California,CA,Joe Biden,0,-0.2\r\n1383,10/23/2020,mikebloomberg voteblackpac joebiden kamalaharris brave floridians are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1384,10/23/2020,mmpadellan it's very sad that trumpies are unable to grasp basic logic &amp; common sense or evaluate t credibility of sources &amp; info. gotta say i've truly been awakened by t trump cult &amp; it's troubling beyond words. shout out to mmpadellan for his role corralling t joebiden bluewave train,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n1385,10/23/2020,moderator needs to moderate trump. but then again nah let the jerk blow it like he did the last debate. biden,United States of America,Maryland,MD,Joe Biden,0,-0.3\r\n1386,10/23/2020,more conversation about misinformation and the election on the new episode of our thoughts tonight debate2020 factcheck trump biden podcast biden,United States of America,Alaska,AK,Joe Biden,0,-0.5\r\n1387,10/23/2020,more lies. vote for truth. vote for biden. bidenharris2020 biden debates2020,United States of America,Ohio,OH,Joe Biden,2,0\r\n1388,10/23/2020,mrandyngo friends of corn pop. biden,United States of America,Nevada,NV,Joe Biden,1,0.2\r\n1389,10/23/2020,muted mics will dominate tonight's last debate between president trump and biden,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1390,10/23/2020,my final debate review debate2020  joebiden,United States of America,California,CA,Joe Biden,2,0\r\n1391,10/23/2020,my guess is biden goes up at least six 6 points in the polls post-debate presidentialdebate2020 debates2020,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1392,10/23/2020,my new article in thestartup_ on how politics is influencing consumers in light of the 2020election with important implications for business  election elections presidentialelection2020 trump biden democrats republicans marketing medium,United States of America,Louisiana,LA,Joe Biden,0,-0.5\r\n1393,10/23/2020,my takeaway...biden s a pathological lier... fracking corruption. got some \xe2\x80\x98splainin to do. debates2020,United States of America,Texas,TX,Joe Biden,2,0\r\n1394,10/23/2020,my verdict. that debate did nothing to move needle. so win biden. potus not as unhinged as first debate but he\xe2\x80\x99s gotta change game which didn\xe2\x80\x99t happen. biden didn\xe2\x80\x99t implode or misspeak. i suspect 1-2 natural tightening in race but comfortable biden win.,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1395,10/23/2020,mypresident joebiden . . let\xe2\x80\x99s win this joe be the face of change along with kamala just like obama  give us hope again,United States of America,Florida,FL,Joe Biden,1,0.2\r\n1396,10/23/2020,name calling behind -xenophobic  what biden debate cnn realdonaldtrump joebiden,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1397,10/23/2020,nancy pelosi is not running for president  stronglywordedpod presidentialdebate2020 presidentialdebate biden trump debatefly,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n1398,10/23/2020,nate_cohn think we\xe2\x80\x99ll know how this is going to go fairly early on election night actually. fl absolute must win for potus. if biden wins or is strong there early on night of 3 nov the contest is effectvely over.,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1399,10/23/2020,neither trump nor biden care about the avg american. they only care about themselves &amp; their image. bidenharris2020 will just be another admin for us to try to survive. they will make life worse and make the world worse not better. debate finaldebate debates2020,United States of America,Missouri,MO,Joe Biden,0,-0.6\r\n1400,10/23/2020,never biden,United States of America,Florida,FL,Joe Biden,2,0\r\n1401,10/23/2020,new from the berkleyforum laura r. olson clemsoncbshs explores how joe biden is appealing to cultural catholics in the 2020 presidential election arguing his election could serve as a new model of inclusive catholic leadership. election2020,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1402,10/23/2020,new healthcare plan totally original. joebiden trump realdonaldtrump joebiden timcast,United States of America,California,CA,Joe Biden,1,0.5\r\n1403,10/23/2020,new \xe2\x80\x9cfarrell censorship of the biden story.\xe2\x80\x9d read,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1404,10/23/2020,newellnyc a beautiful city in which i proudly cast my vote yesterday for joebiden .,United States of America,New York,NY,Joe Biden,1,0.8\r\n1405,10/23/2020,news flash joebiden indicated he would veto medicareforall. he is no berniesanders he is not a friend to the far left. did people sleep through the primaries  2020debate,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1406,10/23/2020,newyork businesses are not all being hurt  donaldjtrump  joebiden,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1407,10/23/2020,no cages with trump.  childrenincages was biden and obama.,United States of America,Colorado,CO,Joe Biden,0,-0.3\r\n1408,10/23/2020,no one who supports trump will  be swayed to vote for joe. no one who supports joe will ever vote trump. it's up to those who do not want 4 more years of trump to vote for joe. elections are binary. voting for anyone other than biden helps trump win. trump and putin know this,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n1409,10/23/2020,no reason our debate gotta be 50% about china and joebiden son. \xf0\x9f\x98\x92 debates2020,United States of America,California,CA,Joe Biden,0,-0.5\r\n1410,10/23/2020,no red or blue states- just united states biden debates2020,United States of America,Louisiana,LA,Joe Biden,0,-0.5\r\n1411,10/23/2020,no stimulus legislation for the \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 people \xe2\x80\x9clet them eat religion\xe2\x80\x9d draintheswamp\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 criminal crimefamily news traitor traitortrump moscow moscowmitch bannon prizon resit divorcetrump trump joebiden biddenharris2020 randyrainbow,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1412,10/23/2020,no surprise biden walks out with a mask and trump doesn\xe2\x80\x99t,United States of America,Tennessee,TN,Joe Biden,0,-0.2\r\n1413,10/23/2020,no surprise here our president joebiden,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n1414,10/23/2020,normalize voting for candidates who admit their mistakes and actually grow from them debates2020 biden bidenharris2020,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n1415,10/23/2020,north korea is committing humanitarian crimes atm  btw debates2020 debate2020 trump biden,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n1416,10/23/2020,not one single person likes joebiden more after this debate .,United States of America,Tennessee,TN,Joe Biden,0,-0.8\r\n1417,10/23/2020,not sweating him at all \xf0\x9f\xa6\x85 joebiden presidentialdebate2020 trumpmeltdown lol seriouslythou,United States of America,Massachusetts,MA,Joe Biden,1,0.5\r\n1418,10/23/2020,not too long ago i was watching game of thrones excited everytime i heard winter is coming. now i'm stuck in trump's 2020 and the idea of a dark winter is beyond terrifying. voting biden 2020debates bidenharristosaveamerica bidenharris2020 vets4biden,United States of America,Illinois,IL,Joe Biden,2,0\r\n1419,10/23/2020,not true. it seems fauci and trump do not like each other. i'm not knocking him. called him an idiot the other day debates2020 debate2020 trump biden,United States of America,Georgia,GA,Joe Biden,0,-0.7\r\n1420,10/23/2020,now that joebiden is out of the the basement after \xe2\x80\x9cdebate prep\xe2\x80\x9d maybe now he\xe2\x80\x99ll answer questions  regarding hunterbidenemails burisma china russia   greennewdeal bigguy tarareade irantruth benghazi apologytour antifa youaintblack fracking blm unexplainedwealth.,United States of America,Missouri,MO,Joe Biden,0,-0.6\r\n1421,10/23/2020,now that's how you use a visual aid. joebiden biden byedon debate debate2020 publicspeaking,United States of America,California,CA,Joe Biden,2,0\r\n1422,10/23/2020,npr says it won\xe2\x80\x99t cover hunter biden news because it's a 'waste' of time  defundnpr hunterbiden biden hunterbidenemails,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n1423,10/23/2020,nytimes please please please - just vote biden trump debates  debates2020 debate ericarmaier,United States of America,California,CA,Joe Biden,2,0\r\n1424,10/23/2020,obama has to be mad that biden threw him under the bus last night at the debates2020,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n1425,10/23/2020,obama joebiden george at abcnews are responsible for the cages and locking up the children.,United States of America,Arizona,AZ,Joe Biden,0,-0.5\r\n1426,10/23/2020,obama joebiden imported illegals &amp; jihadists. they had help from pope's south american connections. big bucks in child traffickingorgan harvestingsmuggling drugs inside kids.obama admin lost track of illegals &amp; built the cages. many kids kidnapped by pedophiles/ms13  coyotes,United States of America,California,CA,Joe Biden,0,-0.1\r\n1427,10/23/2020,obstructionists. keepers of the swamp. lovers of the 1% and pissing on the people since...way too long. vote flipthesenate biden bidenharris2020,United States of America,Oregon,OR,Joe Biden,2,0\r\n1428,10/23/2020,off to a much better start than the first one. biden 220000 deaths. anyone who is responsible for that many deaths should not remain president of the united states. presidentialdebate2020 joebiden trump covid19,United States of America,California,CA,Joe Biden,2,0\r\n1429,10/23/2020,oh drbiden mask matches her floral dress.  if she can coordinate a dress/ mask just imagine what she could do with the white house  presidentialdebate2020 biden,United States of America,Illinois,IL,Joe Biden,1,0.2\r\n1430,10/23/2020,oh i'd say about 12.5 to 13. that's joebiden's shoe size. wonder where his shoe is right now,United States of America,California,CA,Joe Biden,2,0\r\n1431,10/23/2020,oh kristen welker wants joebiden to speak to the families who have to have the talk to their kids.  nice  got bias  debates2020 debatetonight debatenight realdonaldtrump,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1432,10/23/2020,oh my god. did you just see trump say \xe2\x80\x9cgood\xe2\x80\x9d in response to biden\xe2\x80\x99s \xe2\x80\x9cnow you have 525 kids who can\xe2\x80\x99t find their parents\xe2\x80\x9d  trumpisnotamericapr presidentialdebate joebiden voteearly votebidenharris2020,United States of America,California,CA,Joe Biden,0,-0.3\r\n1433,10/23/2020,oh no joe got called out on his debate lie.  debatetonight  debate2020 foxnews msnbc bbcnews biden trump,United States of America,California,CA,Joe Biden,0,-0.4\r\n1434,10/23/2020,ok biden is \xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5 debates2020,United States of America,Florida,FL,Joe Biden,1,0.7\r\n1435,10/23/2020,ok biden. we hear you about how we need to reopen. tell us how you will do things differently. don\xe2\x80\x99t say it should be like this or that. trump is doing that already.tell us how you will do it,United States of America,New York,NY,Joe Biden,2,0\r\n1436,10/23/2020,ok my friends let\xe2\x80\x99s get real . which of the candidates wing this debate . biden trump .   debates2020  debatetonight debate,United States of America,Maryland,MD,Joe Biden,2,0\r\n1437,10/23/2020,ok. bidencare sounds like a whole lot shit w/ americans still having to go through mazes w/ insurance companies getting the most benefit. remember the aca was never meant to be permanent just a band-aid on the healthcare crisis. biden is out of touch. debates2020 debates,United States of America,California,CA,Joe Biden,0,-0.2\r\n1438,10/23/2020,ok...aoc sensanders amyklobuchar corybooker petebuttigieg ewarren it\xe2\x80\x99s the last few days...you should all be out there as visible as possible shouting from the rooftops to vote biden. we can fight for what we want after we take the reigns. country is counting on u,United States of America,Michigan,MI,Joe Biden,2,0\r\n1439,10/23/2020,okay deeper question.  if one stipulates that the biden scandals are real and deepening the vital question is the effect on the election.  this whole story is,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1440,10/23/2020,on china policy donaldtrump repeats false claims on tariffs economics reporters all smash their keyboards with their foreheads with joebiden calling it all malarkey and it's time to talk about american families.,United States of America,District of Columbia,DC,Joe Biden,0,-0.9\r\n1441,10/23/2020,on the joebiden oil transition comment \xe2\x80\x9c19 million jobs are supported by the oil and gas industry in the united states. that\xe2\x80\x99s a whole swath that joebiden is saying their jobs don\xe2\x80\x99t matter to him .\xe2\x80\x9d - erinmperrine of teamtrump on kmcradio,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1442,10/23/2020,one thing i love about biden he accepted mistakes he has made in the past he has stated he is making changes this is the caliber of a president. he is human trump debate2020 families debatetonight children metoo hollywooddiversity iamhere love family,United States of America,Georgia,GA,Joe Biden,1,0.6\r\n1443,10/23/2020,only because joebiden asked.....,United States of America,California,CA,Joe Biden,0,-0.3\r\n1444,10/23/2020,only one of the candidates actually laid out a healthcare plan. the other walked around the question entirely. for the love of all that is holy vote for joebiden. debate2020 debates2020,United States of America,California,CA,Joe Biden,2,0\r\n1445,10/23/2020,pdr post debatetonight  show joebiden made trump look like a silly derelict in caribbean panafricanism blacktwitter presidentialdebate2020 kamalaharris blacksfortrump hiphop rapgame socialjustice democraticsocialism blacknationalism,United States of America,Alabama,AL,Joe Biden,0,-0.7\r\n1446,10/23/2020,pennsylvania pittsburgh's own michael keaton speaks out for joebiden.  via youtube,United States of America,New York,NY,Joe Biden,2,0\r\n1447,10/23/2020,people are learning to die with it stronglywordedpod presidentialdebate2020 presidentialdebate biden trump debatefly,United States of America,Florida,FL,Joe Biden,1,0.2\r\n1448,10/23/2020,people are learning to die with it. debates2020 covid19 biden,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n1449,10/23/2020,people called joebiden  doom and gloom with his darkwinter  with covid19  comment .. it wasn\xe2\x80\x99t look at the map it was an uncomfortable truth just look at the increase in cases &amp; know  death total is lagging just behind it fucktrump,United States of America,Missouri,MO,Joe Biden,0,-0.7\r\n1450,10/23/2020,people deserve to have affordable health care. period period. period. period. joebiden presidentialdebate2020,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1451,10/23/2020,people never cease to amaze when it comes to politics if you're a trump or biden supporter who tf cares im voting and it's my choice. just vote your choice and be done with it those are stupid questions to be asking people i cant wait until nov 4th. election2020,United States of America,Indiana,IN,Joe Biden,0,-0.1\r\n1452,10/23/2020,perspective biden ran for president and never once had to say \xe2\x80\x9cantifa\xe2\x80\x9d let alone was asked about antifa by the media.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n1453,10/23/2020,please be specific how would you joebiden do anything different than trump has done debates2020,United States of America,Nevada,NV,Joe Biden,0,-0.4\r\n1454,10/23/2020,please retire biden go away democratsaredestroyingamerica democratsarecorrupt voteredtosaveamerica2020 votetrump2020tosaveamerica,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1455,10/23/2020,please watch the debate we need to know what's going on presidentialdebate2020 debatetonight debate debates  democrats republicans joebiden,United States of America,Oklahoma,OK,Joe Biden,0,-0.4\r\n1456,10/23/2020,plexiglass everywhere c'mon man debatetonight presidentialdebate2020 biden,United States of America,Tennessee,TN,Joe Biden,0,-0.7\r\n1457,10/23/2020,poor boys joebiden,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1458,10/23/2020,poor joebiden he's so senile now hard to watch joebiden angryoldman,United States of America,Washington,WA,Joe Biden,0,-0.8\r\n1459,10/23/2020,president realdonaldtrump seems to be in command of the information and subjects debated. he knows the maths of his files. biden fires criticism but trump responds systematically with details. so far.,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1460,10/23/2020,president trump plans to bring hunter biden associate tony bobulinski as guest to debate | fox news,United States of America,California,CA,Joe Biden,2,0\r\n1461,10/23/2020,presidential debate between president trump &amp; joe biden- breakingnewsnow breaking_news breakingnews breakingnewz breakingnow breaking kristinwelker kristenwelker kristin welker kristen beijingbiden nbc boycottnbc beijing biden boycott,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n1462,10/23/2020,presidentialdebate  presidentialdebate2020 45uspresident joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1463,10/23/2020,presidentialdebate2020  sleepy joebiden is already failing miserably in this debate. he has zero answers. trump2020,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1464,10/23/2020,presidentialdebate2020 biden is a idiot what\xe2\x80\x99s your plan  hodgetwins,United States of America,Pennsylvania,PA,Joe Biden,0,-0.9\r\n1465,10/23/2020,presidentialdebate2020 biden just brought up guliani ... here is the proof...,United States of America,Nevada,NV,Joe Biden,2,0\r\n1466,10/23/2020,presidentialdebate2020 covid19 debates2020\xc2\xa0\xef\xbf\xbc trump biden  election2020\xc2\xa0\xef\xbf\xbc,United States of America,New York,NY,Joe Biden,1,0.3\r\n1467,10/23/2020,presidentialdebate2020 debatetonight debate2020  so joebiden just called realdonaldtrump abraham lincoln. so this is the civil war is back on and he admits democrats are the bad guys again. great,United States of America,Illinois,IL,Joe Biden,2,0\r\n1468,10/23/2020,presidentialdebate2020 joebiden  on covid19 you folks at home have an empty chair at the kitchen table this morning,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1469,10/23/2020,presidentialdebate2020 joebiden joebiden2020 strongerwithbiden tasteslikeamerica,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1470,10/23/2020,prestrump uses the argument of prepaid taxes to explain his $750  irs payment while joebiden whips him with a simple question what do you have to hide and accuses him of having business with foreign states debates2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1471,10/23/2020,pretty crazy world we live in. union guy's are going to have to vote republican cause biden wants to eliminate fossil fuels. trump2020,United States of America,Illinois,IL,Joe Biden,2,0\r\n1472,10/23/2020,pretty obvious trump didn\xe2\x80\x99t prepare &amp; biden did. debates2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1473,10/23/2020,provided for context. biden trump politics debate politics tech technology technews debate socialmedia livestreaming artificialintelligence election2020,United States of America,California,CA,Joe Biden,0,-0.3\r\n1474,10/23/2020,putin and the \xe2\x80\x98biden memorial pipeline\xe2\x80\x99 to china biden oil debate debate2020,United States of America,California,CA,Joe Biden,2,0\r\n1475,10/23/2020,q14 is on immigration... trump danced around this topic focusing on the 500 children separated from parents at the border but biden did not deny that the obamabiden administration built the cages. \xf0\x9f\xa4\xa8 interesting. q14a focuses on that... debates2020 debates,United States of America,California,CA,Joe Biden,2,0\r\n1476,10/23/2020,q17 on leadership of those who did not vote for you. biden had the better closer. hands down. so conclusions\xf0\x9f\xa4\x94 biden got exposed. trump had his best debate ever. remembering how strong biden was back in 2008 &amp; 2012 this disappointed me a bit. needed more punches. debates,United States of America,California,CA,Joe Biden,2,0\r\n1477,10/23/2020,q8 is on trumpchinabankaccount scandal &amp; foreign conflicts of interest which trump vastly denies like biden did on the previous q w/ his ukrainescandal. another short af segment so it's worth checking to see what fact checkers dig up. always research more than 1. debates,United States of America,California,CA,Joe Biden,2,0\r\n1478,10/23/2020,quinnipiac poll biden's lead dropping because it never existed,United States of America,Illinois,IL,Joe Biden,0,-0.5\r\n1479,10/23/2020,racism is the golden egg of debates2020  while prestrump says he has done more for black people than any president except maybe lincoln. joebiden has his mass incarceration record racism,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1480,10/23/2020,rawstory trump has threatened to fire fbi director christopher wray unless wray announces a phony investigation into biden that trump can use as last-minute ammunition in the presidential campaign.,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n1481,10/23/2020,rbreich yeah. voted on monday. biden/harrislandslide,United States of America,California,CA,Joe Biden,1,0.4\r\n1482,10/23/2020,read today's lunchtimepol for some key takeaways from last night's final presidentialdebate between donaldtrump and joebiden  election2020 debates,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1483,10/23/2020,real question for anyone who voted for trump in 2016 are you voting for him again debates2020 trump biden,United States of America,Washington,WA,Joe Biden,0,-0.5\r\n1484,10/23/2020,realdailywire the debate was a personal win for trump in the sense that he was less of a trainwreck but as far as actually addressing the questions and issues important to americans it was 100% joebiden.,United States of America,California,CA,Joe Biden,1,0.2\r\n1485,10/23/2020,realdonaldtrump  biden i think trump kicked ur fanny the first 30 minutes....i turned it off after that. i'm sure you made it back fine joepa. keep smiling luv wins flotus drbiden ladies check out andrewchristian link. these men need fresh undies,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1486,10/23/2020,realdonaldtrump being calm and cool in the debate last night was obviously problematic for biden and harris. i hear they cancelled the harris stop in ohio today thats one way to keep america great,United States of America,Tennessee,TN,Joe Biden,0,-0.1\r\n1487,10/23/2020,realdonaldtrump could say that he could care less about the lives of the american people and trump supporters would support him still even after that \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3 dumbpeople trumpispathetic biden,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1488,10/23/2020,realdonaldtrump during the debate at one point you said \xe2\x80\x9ci\xe2\x80\x99m the least racist person in this room.\xe2\x80\x9d i don\xe2\x80\x99t know if you know but that implies that you are racist to some extent. thanks for the confession. trumpisnotamerica debatetonight biden blm presidentialdebates2020,United States of America,Ohio,OH,Joe Biden,2,0\r\n1489,10/23/2020,realdonaldtrump if you want to believe that donnie that is fine but i bet you are gonna cry on nov 3 when biden win by landslide,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n1490,10/23/2020,realdonaldtrump joebiden check this out- realdonaldtrump edited an old clip that said the opposite. this is when biden told anti-fracking activist that he would \xe2\x80\x9ctransition\xe2\x80\x9d not ban fracking. trump makes fakenews,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n1491,10/23/2020,realdonaldtrump joey so cute thanks trunk biden bidenharrislandslide2020,United States of America,California,CA,Joe Biden,1,0.9\r\n1492,10/23/2020,realdonaldtrump keeps asking why joe biden didn\xe2\x80\x99t do this or that before. well joebiden wasn\xe2\x80\x99t potus45 realdonaldtrump\xe2\x80\x94where is covid19 testing infrastructure jobs u promised what about uaw plant closures environment pfas potus45 literally killing usa ap cnn,United States of America,Ohio,OH,Joe Biden,0,-0.6\r\n1493,10/23/2020,realdonaldtrump knows very well he is not going to a 2nd term. it\xe2\x80\x99s the most honest he has ever been in his life. he just accept the reality electionday debates2020 biden,United States of America,California,CA,Joe Biden,1,0.5\r\n1494,10/23/2020,realdonaldtrump literally looks like pepe the frog tonight biden trumpispathetic pepethepresident debates2020 debatetonight debate2020 trumpmeltdown bidenharris2020,United States of America,California,CA,Joe Biden,0,-0.1\r\n1495,10/23/2020,realdonaldtrump lost another debate trumpisaloser bidenwonthedebate debates2020 kristenwelker joebiden,United States of America,Rhode Island,RI,Joe Biden,0,-0.7\r\n1496,10/23/2020,realdonaldtrump nypost you are so full of shit. can\xe2\x80\x99t wait until you are gone trumpispathetic trumpmeltdown trumpchinabankaccount trumpisunfitforoffice votebidenharristosaveamerica biden votebluetoendthisnightmare votebluedowntheballot votehimoutandlockhimup,United States of America,New Jersey,NJ,Joe Biden,2,0\r\n1497,10/23/2020,realdonaldtrump should do a full podcast with joerogan hey erictrump donaldjtrumpjr make it happen trump2020 election2020 biden joerogan,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n1498,10/23/2020,realdonaldtrump you rocked the debate you dominated biden.  you made biden your little bitch maga kag trump2020landslidevictory amen,United States of America,Texas,TX,Joe Biden,2,0\r\n1499,10/23/2020,realjameswoods dnc democats bb14 blacklivesmatter blackpinkinyournetflix bluewave lgbtq lgbt lgbtqts climateaction climate climatejustice joebiden joebidenkamalaharris2020,United States of America,Nevada,NV,Joe Biden,1,0.4\r\n1500,10/23/2020,realjameswoods realdonaldtrump  joebiden and the immediate biden crime family got bobulinskied lyingjoebiden as some people hate trump more than they love america \xe2\x80\x9cthey are so far left they forgot what\xe2\x80\x99s right.\xe2\x80\x9d \xc2\xa9 zouvelosgeorge 2020,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1501,10/23/2020,receipts biden,United States of America,California,CA,Joe Biden,2,0\r\n1502,10/23/2020,remember bunker bitch lol debates2020 debate2020 trump biden,United States of America,Georgia,GA,Joe Biden,0,-0.9\r\n1503,10/23/2020,remember how the gopcorruptionovercountry party had only 1 electric car model before obama &amp; biden then every company built them when regs made them improve fuel economy remember the goptraitors resisting electric then also  votebiden votebidenharris resist fbr jobs,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n1504,10/23/2020,remember when covid first started biden called trump a racist for shutting off china travel. pelosi went to chinatown and begged people to come join her... no action,United States of America,Minnesota,MN,Joe Biden,0,-0.4\r\n1505,10/23/2020,remember when joebiden was vice president under the first black president for eight years and didn\xe2\x80\x99t shank him to become president and when anyone said anything bad about obama biden acted like benita from the projects on in living color neverforget,United States of America,California,CA,Joe Biden,0,-0.5\r\n1506,10/23/2020,renattalandrau uscensusbureau not a biden fan,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n1507,10/23/2020,repgosar ...biden nap time alarm went off trump trump2020,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1508,10/23/2020,repmarkwalker nope not a great line of attack. biden sucks and destroys jobs is better,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1509,10/23/2020,reproduction rate...wth...joebiden,United States of America,Arizona,AZ,Joe Biden,0,-0.7\r\n1510,10/23/2020,republican voters no one will ever know if you vote for joebiden to end this divisive racist and destructive mess. america will thank you. landslidinwithbiden,United States of America,Missouri,MO,Joe Biden,2,0\r\n1511,10/23/2020,republicans for biden election debate character and jobs are important,United States of America,California,CA,Joe Biden,1,0.3\r\n1512,10/23/2020,response to people of color living near oil refineries people of color are doing better under me than under \xe2\x80\x9cthe two of them to put it nicely\xe2\x80\x9d bluevotr character decency joebiden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,New York,NY,Joe Biden,2,0\r\n1513,10/23/2020,robincogan drericding bidennurses yes we need everyone to vote blue down the ballot so we can have a house that will enable biden to do his job effectively,United States of America,Texas,TX,Joe Biden,1,0.2\r\n1514,10/23/2020,rolandbakeriii gatewaypundit where\xe2\x80\x99s your mask  seize him not funny right neither is your idea joebiden,United States of America,California,CA,Joe Biden,0,-0.9\r\n1515,10/23/2020,round 2  |  realdonaldtrump and joebiden face/off for their final debate stream live on youtube \xe2\x80\xa2 link at  \xf0\x9f\x9b\x92 presidentialdebate 2020debates trumpbidendebate donaldtrump joebiden election2020,United States of America,Georgia,GA,Joe Biden,2,0\r\n1516,10/23/2020,rt .   another poor moderator kwelkernbc  showed favoritism towards biden by interrupting the president 24 times when he asked questions people wanted answers to and biden  2 times. another bad moderator. cnnbrk foxnewsalert gopchairwoman realdonaldtrump biden,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1517,10/23/2020,sarahcpr biden literally laughing when potus tries to talk about climate change.,United States of America,Hawaii,HI,Joe Biden,2,0\r\n1518,10/23/2020,schools need to be leadfree as well. not all states even have laws mandating testing for lead in school drinking water. lead exposure+ covid+opening schools too quickly=\xe2\x98\xa0 bm4f leadfreeusa younggiftedgreen debates2020 presidentialdebate2020 biden trump,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1519,10/23/2020,see how many times biden &amp; kh said they will end fracking. debates2020,United States of America,New York,NY,Joe Biden,2,0\r\n1520,10/23/2020,shannonbream foxandfriends foxnews  potus  realdonaldtrump  donaldjtrumpjr biden debate trump \xf0\x9f\x8e\xaf \xe2\x80\xbc\xef\xb8\x8f vote votetrump2020tosaveamerica,United States of America,New Jersey,NJ,Joe Biden,2,0\r\n1521,10/23/2020,shit his pants joebiden,United States of America,Missouri,MO,Joe Biden,0,-0.7\r\n1522,10/23/2020,shitler is no abelincoln. let\xe2\x80\x99s dump the racistinchief and elect joebiden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1523,10/23/2020,show us your taxes biden is crushing him. biden presidentialdebate2020,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n1524,10/23/2020,showing up to the final debate like... finaldebate trump biden,United States of America,Missouri,MO,Joe Biden,0,-0.3\r\n1525,10/23/2020,shut down the virus not the country. -- joebiden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n1526,10/23/2020,sidneypowell1 baalter realdonaldtrump molmccann tomfitton richardgrenell bernardkerik josephjflynn1 gojackflynn jbinnall saracarterdc jsolomonreports barbararedgate realdonaldtrump  joebiden and the immediate biden crime family got bobulinskied lyingjoebiden as some people hate trump more than they love america \xe2\x80\x9cthey are so far left they forgot what\xe2\x80\x99s right.\xe2\x80\x9d \xc2\xa9 zouvelosgeorge 2020,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1527,10/23/2020,siiiii biden,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n1528,10/23/2020,slow up biden,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n1529,10/23/2020,so biden just called trump abraham lincoln.... wow... i can\xe2\x80\x99t even.,United States of America,New Jersey,NJ,Joe Biden,0,-0.2\r\n1530,10/23/2020,so big guy is also peter henderson joebiden emails laptopfromhell,United States of America,Texas,TX,Joe Biden,2,0\r\n1531,10/23/2020,so glad biden reminds america that we have first responders who don\xe2\x80\x99t make a living wage debate2020,United States of America,New York,NY,Joe Biden,1,0.6\r\n1532,10/23/2020,so happy to see they have the mics under control this time around. debates2020 presidentialdebate2020 biden trump finaldebatefox,United States of America,Oregon,OR,Joe Biden,1,0.5\r\n1533,10/23/2020,so trump is trying to read biden for talking to us american people  weirdo  go rosaparkit niece presidentialdebate2020,United States of America,California,CA,Joe Biden,0,-0.6\r\n1534,10/23/2020,so.......who scored more points in the debate last night tell us why. also if you need last-minute political yard signs or t-shirts to support your candidate call us at 800-215-6424. debates2020 trump biden bidenharristosaveamerica trumplandslide2020 election vote,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n1535,10/23/2020,somebody cashapp me $33 $ashleygo3 so i can make the 1st payment on my purse \xf0\x9f\xa5\xb0presidentialdebate2020 biden i need another stimulus lbs funniesttweets,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n1536,10/23/2020,someone let joebiden know his smug ass is about to go to jail,United States of America,Georgia,GA,Joe Biden,0,-0.9\r\n1537,10/23/2020,someone needs to ask biden to deny the laptop. let\xe2\x80\x99s get it on the record. enough dancing around the issue. debates2020,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1538,10/23/2020,spencerg333 spidadmitchell in your meth pipe dreams. biden presidentialdebate2020 presidentialdebates2020,United States of America,Utah,UT,Joe Biden,0,-0.2\r\n1539,10/23/2020,stclairashley biden incorrectly states trump is wrong that minimum wage at $15 would shut businesses down. trump didn\xe2\x80\x99t say that. he said people would lose their job. government mandating minimum wage gets people unemployed facts.,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1540,10/23/2020,steele said he is \xe2\x80\x9cfree\xe2\x80\x9d steele voted for joebiden,United States of America,California,CA,Joe Biden,2,0\r\n1541,10/23/2020,still hearing those giggles. debatetonight bobulinski debate2020 joebiden,United States of America,Texas,TX,Joe Biden,2,0\r\n1542,10/23/2020,stock market does not equal economy trump. not for most in the middle class...businesses are not people and are not a measure of success. we need joebiden trumpisnotamerica votebluetosaveamerica2020 lincolnproject,United States of America,California,CA,Joe Biden,0,-0.5\r\n1543,10/23/2020,stop the coronavirus shit why us this so important in debate2020 shut the fuck up and ask about the economy this moderator needs to move on biden sounds like a chump trumplandslide2020 makeamericagreatagain,United States of America,New York,NY,Joe Biden,0,-0.9\r\n1544,10/23/2020,sulkyracer yogagenie joebiden we must have missed that comment from biden lol. it is a little concerning if he did say it though.,United States of America,Arizona,AZ,Joe Biden,2,0\r\n1545,10/23/2020,sullivan county tennessee on trend for record voter turnout joebiden,United States of America,California,CA,Joe Biden,2,0\r\n1546,10/23/2020,supposedly neither candidate will have to answer foreignpolicy questions. what a farce and what a message to send to allies and adversaries. and biden has received *absurdly* few foreign or domestic *policy* questions by us press debate &amp; townhall moderators. debatetonight,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1547,10/23/2020,surprisingly strong biden tonight particularly on covid stimulus - if the trump campaign was hoping for a slip they better come up with another plan. even more nothing trump is throwing at him sticks and that's the best place to be while leading in the polls debates2020,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n1548,10/23/2020,take a shot every time they say china. you\xe2\x80\x99re welcome. trump biden debate2020,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n1549,10/23/2020,take your fist and shove it where the sun don\xe2\x80\x99t shine biden. debates2020\xc2\xa0 debate2020 trump biden presidentialdebate2020,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1550,10/23/2020,tampa bay 2020 riots aftermath  via youtube biden bidenharris biden2020,United States of America,New York,NY,Joe Biden,2,0\r\n1551,10/23/2020,tarasetmayer arriadna yes biden votebidenharris2020 votebluedowntheballot,United States of America,California,CA,Joe Biden,1,0.3\r\n1552,10/23/2020,teamtrump realdonaldtrump brave floridians are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1553,10/23/2020,teamtrump realdonaldtrump realdonaldtrump is debating the science instead of biden. and biden was clear that he wasn\xe2\x80\x99t planning on shutting the country down but on listening to the science.,United States of America,Connecticut,CT,Joe Biden,0,-0.5\r\n1554,10/23/2020,teapainusa biden bidenharris2020 votebluetosaveamerica votebidenharristosaveamerica,United States of America,California,CA,Joe Biden,1,0.3\r\n1555,10/23/2020,teapainusa \xf0\x9f\x97\xa3our house voted blue bidenharris2020 ivotedearly kamalaharrisvp ridinwithbidenharris joebiden,United States of America,California,CA,Joe Biden,2,0\r\n1556,10/23/2020,teen with a van full of guns and explosives plotted to kill joebiden feds,United States of America,North Carolina,NC,Joe Biden,2,0\r\n1557,10/23/2020,tell me why the media/cnn cannot address the president as \xe2\x80\x9cpresident trump\xe2\x80\x9d  instead it\xe2\x80\x99s \xe2\x80\x9cmr.trump\xe2\x80\x9d. give him respect at least trump biden,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1558,10/23/2020,terrified yet  \xe2\x9d\x93tony bobulinski says he met with joe biden to discuss \xe2\x80\x98family business plans with the chinese\xe2\x80\x98  via breitbartnews,United States of America,California,CA,Joe Biden,0,-0.2\r\n1559,10/23/2020,terrimcelvarr jenniferjacks2 aibf82 kamalaharris pamelaharris14 my son has a studdering problem and what you have said has nothing to do with his policies or capability to run this country....my son and every other child with a speech impairment stands tall because of biden rethink your tweets\xf0\x9f\xa4\xa8,United States of America,Ohio,OH,Joe Biden,0,-0.8\r\n1560,10/23/2020,thank you biden for addressing profiling debates2020,United States of America,New York,NY,Joe Biden,1,0.8\r\n1561,10/23/2020,thank you joebiden - yes let\xe2\x80\x99s get back to the issues americans care about. actually let\xe2\x80\x99s talk about sitting around the table. americans are hurting right now. debates2020,United States of America,New York,NY,Joe Biden,2,0\r\n1562,10/23/2020,thank you joebiden for always bringing it back to ordinary people.,United States of America,District of Columbia,DC,Joe Biden,1,0.7\r\n1563,10/23/2020,thank you joebiden for being clear and concise about the facts. tear him to shreds joe.,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1564,10/23/2020,thank you joebiden in order to save this earth from man\xe2\x80\x99s total and complete destruction of it some of the oil industry must be stopped. i want my grandchildren to have a place to build a home. don\xe2\x80\x99t you science votebidenharristosaveamerica,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n1565,10/23/2020,thank you kristen welker for using the traditional interpretation of moderator - a neutral unbiased participant. presidentialdebate trump biden election2020 vote,United States of America,California,CA,Joe Biden,1,0.4\r\n1566,10/23/2020,thank you kristenwelker joebiden anyone who says they are the least least racist is what a racist says trying to con you outta your vote.\xf0\x9f\xa4\x94 votehimout votebidenharris2020 vetsresistsquadron truthoverlies endhate \xe2\x9c\x8c\xf0\x9f\x8f\xbd\xe2\x9c\x8c\xf0\x9f\x8f\xbcvotebluetoendthisnightmare,United States of America,Missouri,MO,Joe Biden,1,0.7\r\n1567,10/23/2020,thanks arunchaud for reminding us of this moment. joebiden wasn't my first choice for potus but not he's clearly the only one right now.  via youtube biden trumpisnotamerica,United States of America,New York,NY,Joe Biden,1,0.1\r\n1568,10/23/2020,that smurk thoughtrumpmeltdown trump debates2020 debate2020 maga maga2020 biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1569,10/23/2020,that was a great debate by far and away. i do not think anything will change from this debate but that was the best. mic muting should have been introduced a long long time ago. honestly great job by both trump and biden debates2020 debatetonight biden trump,United States of America,Georgia,GA,Joe Biden,1,0.2\r\n1570,10/23/2020,that was the most coherent statement i have heard joebiden say. taxes whatareyouhiding,United States of America,California,CA,Joe Biden,2,0\r\n1571,10/23/2020,the 2020 election is between an old 2nd gen corrupt racist sexist businessman and an old 2nd gen corrupt racist but not necessarily sexist politician. neither joebiden nor trump intend to lead us; we only serve as a means to satiate their vanity.,United States of America,South Carolina,SC,Joe Biden,0,-0.7\r\n1572,10/23/2020,the beginning of the end for joebiden,United States of America,Alabama,AL,Joe Biden,2,0\r\n1573,10/23/2020,the best case against a biden presidency him | thehill,United States of America,District of Columbia,DC,Joe Biden,1,0.6\r\n1574,10/23/2020,the biden campaign missed its opportunity to release flies in the debate hall last night. election vote 2020 biden trump debate finaldebate,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1575,10/23/2020,the biden campaign recently launched tv ads airing during sports broadcasts. one 30-sec ad during an nfl game costs nearly $500000. is this smart are digitalads that microtarget voters more effective cnn has details about this strategy.,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1576,10/23/2020,the debate is unlikely to change a steady biden lead. debates2020 trump biden   via huffpostpol,United States of America,California,CA,Joe Biden,0,-0.3\r\n1577,10/23/2020,the debate2020 is just moments away.  i\xe2\x80\x99m rooting for biden   yougojoe  votebidenharris,United States of America,California,CA,Joe Biden,2,0\r\n1578,10/23/2020,the entire 2020 presidential election process has left voters with a total of 3 minutes and 45 seconds of foreign policy discussion presidentialdebate2020 abc election2020 trump biden,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n1579,10/23/2020,the gop's fear of science in 2020 is total insanity to me.  climate change  doesn't exist.  corona  it's over.  as a lawyer if you know a republican contact me so we can set up a plan for immediate mental health treatment.  debatetonight biden debate2020 bidenharris2020,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n1580,10/23/2020,the idea the fact that   wtf joebiden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n1581,10/23/2020,the inaugural speech question trump used that time to lie about his track record and attack biden. biden used it to speak to the american people and try to create a little unity.  is there really any other choice but bidenharris2020 debates2020 vote votehimout dumptrump,United States of America,California,CA,Joe Biden,0,-0.3\r\n1582,10/23/2020,the last time i was this hot for a near octogenarian i was a broke 22-year old in dc looking for someone to buy me a vodka-red bull. debates2020 joebiden,United States of America,California,CA,Joe Biden,0,-0.2\r\n1583,10/23/2020,the love - black eyed peas and jennifer hudson  via youtube biden bidenharris2020 bidenharristosaveamerica bidencare bidentrumpdebate bidenharris2020landslide,United States of America,Washington,WA,Joe Biden,1,0.4\r\n1584,10/23/2020,the most unbelievable statement of the debate from trump debates debate2020 debatetonight biden bidenharristosaveamerica,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1585,10/23/2020,the ppp biden tossed out...,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n1586,10/23/2020,the second presidential debate is much better than the first one between trump and biden. something i think everyone watching can agree on debates2020 trump biden election2020,United States of America,Missouri,MO,Joe Biden,1,0.5\r\n1587,10/23/2020,the stimulus package could still help the holiday season and the 1st quarter during the winter months stimulus stimuluspackage. late 4q and 1q2021 economic impact for stocks and wall street dow dow40k trump biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n1588,10/23/2020,the whole \xe2\x80\x9cbiden is senile\xe2\x80\x9d thing over his climate change answer was flawless. trump couldve never answered like that debates2020,United States of America,Florida,FL,Joe Biden,2,0\r\n1589,10/23/2020,thedemocrats senatedems please remind your idiot candidate that he said this  biden demsdefunddismantledestroy trump2020nowmorethanever,United States of America,Texas,TX,Joe Biden,0,-0.9\r\n1590,10/23/2020,theferocity put some respect on my name betta ask somebodyjoebiden,United States of America,California,CA,Joe Biden,0,-0.4\r\n1591,10/23/2020,thekimkavin an excellent article but at this point don't think it will make a difference in the election. biden will win. if the democrats win the senate expect richardtrumka at the signing ceremony for proact.  if it's not tied up in court it will be a major issue for years to come.,United States of America,California,CA,Joe Biden,0,-0.2\r\n1592,10/23/2020,themonibasu biden knows families belong together,United States of America,New York,NY,Joe Biden,1,0.6\r\n1593,10/23/2020,there should be a rule that anyone who\xe2\x80\x99s egomaniacal enough to run for office is immediately disqualified. debates2020 trump biden politics,United States of America,Washington,WA,Joe Biden,0,-0.7\r\n1594,10/23/2020,therealkripke i fucking love you yes thank you for this \xf0\x9f\xa4\x98\xf0\x9f\x8f\xbb biden,United States of America,Oklahoma,OK,Joe Biden,1,0.9\r\n1595,10/23/2020,therickydavila the question i\xe2\x80\x99m struggling w/right now is if i\xe2\x80\x99ll ever be able to forgive my family members who will definitely vote t again. it was really hard last time. this time i don\xe2\x80\x99t think i\xe2\x80\x99ll be able to do it. votebidenharristosaveamerica biden,United States of America,California,CA,Joe Biden,0,-0.4\r\n1596,10/23/2020,these first responders who we\xe2\x80\x99re clapping for as they walk down the street can\xe2\x80\x99t make ends meet. 2020debate joebiden,United States of America,Tennessee,TN,Joe Biden,1,0.3\r\n1597,10/23/2020,thetaxdiva prepaytaxes estimatedtaxes educateyourself taxes irs 2020presidentialdebate trump biden govote,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1598,10/23/2020,they ran joebiden to protect him from the law bc they knew a trump administration couldn\xe2\x80\x99t appear to attack a rival candidate. potus44 distanced himself from biden the last 3 years of this presidency. he knew just as well all now know the biden family is corrupt. trump2020,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1599,10/23/2020,they will pay a price. joebiden on iranian and russian election interference. debates2020,United States of America,Washington,WA,Joe Biden,2,0\r\n1600,10/23/2020,things got interesting when trump and joebiden were asked about race in america \xf0\x9f\x91\x80  \xf0\x9f\x93\xb9 cnn  new orleans louisiana,United States of America,Louisiana,LA,Joe Biden,1,0.3\r\n1601,10/23/2020,this guy is a dog whistle the size of a fog horn. - joebiden debatetonight,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1602,10/23/2020,this is biden and democats america wakeupamerica wakeup and vote  democratsaredestroyingamerica voteredtosaveamerica2020 voteredtosaveamerica fridaythoughts maga2020 kag america trump coronavirus fakenews blacklivesmatter breastcancerawarenessmonth twitter,United States of America,California,CA,Joe Biden,1,0.1\r\n1603,10/23/2020,this is correct. biden presidentialdebate2020 didnt take money from a foreign power. he took it from his son who took it from a foreign power. debate2020 bidengate thedebateinsixwords,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1604,10/23/2020,this is one of the big moments of the night. trump excited about 500+ families destroyed and children orphaned and biden showing empathy and understanding the humans involved in this. debates2020,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1605,10/23/2020,this is really really funny trump2020 donaldtrump joebiden debates2020 debates debatetonight danceoff trump,United States of America,Nevada,NV,Joe Biden,1,0.9\r\n1606,10/23/2020,this is the america that i've known and loved. biden trumpisnotamerica trumpispathetic,United States of America,California,CA,Joe Biden,1,0.6\r\n1607,10/23/2020,this is the joebiden i like to see with the complete disgust that we all feel over kids being ripped from their parents.  there is no excuse.  how this wasn't the end i have no freaking idea.  we failed as a country right there.   debates2020,United States of America,Missouri,MO,Joe Biden,0,-0.5\r\n1608,10/23/2020,this is the same person that said blacks that don\xe2\x80\x99t vote for him \xe2\x80\x9cain\xe2\x80\x99t black\xe2\x80\x9d remember that. bidenharris2020 biden2020 lyinbiden biden kamalaharris joebiden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1609,10/23/2020,this is what it looks like when you open the country irresponsibly and downplay a deadly disease.  biden will shut down the virus not the country because he will make sure we have the support to open safely.                                demvoice1,United States of America,New York,NY,Joe Biden,2,0\r\n1610,10/23/2020,this is where joebiden crashes.,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n1611,10/23/2020,this is why i voted for joebiden,United States of America,Colorado,CO,Joe Biden,2,0\r\n1612,10/23/2020,this is why i\xe2\x80\x99m teambiden. these are families facing unspeakable loss after the parkland shooting. biden is hugging the son of chris hixon who was the athletic director at stoneman douglas. we need a consoler in chief who\xe2\x80\x99s capable of empathy and caring for others. vote,United States of America,North Carolina,NC,Joe Biden,0,-0.1\r\n1613,10/23/2020,this picture says it all. he looks sad and defeated and he wouldn\xe2\x80\x99t be wrong. trumpispathetic presidentialdebate2020 debatetonight debates biden 2020election,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1614,10/23/2020,this shi is weird biden n trump be talking to and about each other like they aren\xe2\x80\x99t on the same team. in all actuality they should be working together for the better of us in entirety not just them and they buddies.,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1615,10/23/2020,this this the wsj confirmed almost immediately that trump lied in his false claims that biden made $ from his years in public service. trumpispathetic trumpchinabankaccount trumpisdangerous trumplied220kdied,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n1616,10/23/2020,thisdidntagewell joebiden,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1617,10/23/2020,thought i\xe2\x80\x99d take a stab at a meme of my favorite line from last night\xe2\x80\x99s debate. joebiden  tallahassee florida,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1618,10/23/2020,tiffanydcross joanna_resists biden bidenharris2020 bidenharrislandslide2020 votebluedownballot votebluetosaveamerica flipthesenateblue,United States of America,California,CA,Joe Biden,1,0.4\r\n1619,10/23/2020,tiger vidmar today is out  trump biden,United States of America,Nevada,NV,Joe Biden,2,0\r\n1620,10/23/2020,tnf trump 24 - biden 10 at halftime presidentialdebate2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n1621,10/23/2020,to me biden who do you think won the final debate2020,United States of America,Wisconsin,WI,Joe Biden,0,-0.2\r\n1622,10/23/2020,tonight joebiden finally felt the heat &amp; full force of truth as he drowned in that swampy pool of lies. bing he\xe2\x80\x99s \xf0\x9f\x92\xaf cooked. done. trumpwinsdebate 2020presidentialdebate 4moreyears trump,United States of America,California,CA,Joe Biden,0,-0.1\r\n1623,10/23/2020,tonight proved donald is not even a good showman. he went out whining.  debates2020 debate biden,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n1624,10/23/2020,tonight stutterers rule  biden,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1625,10/23/2020,tonybobulinski held presser claiming joebiden knew about hunter's busi...  via youtube,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1626,10/23/2020,tonybobulinski the former business partner of hunterbiden says that he met former vp joebiden in may 2017 and spent 1 hour discussing a deal with a chinese energy conglomerate and the bidenfamily history.,United States of America,New York,NY,Joe Biden,2,0\r\n1627,10/23/2020,too bad neither trump nor biden use specifics to cure the carbon problem  house resolution 763 energy efficiency and carbon dividend act.  --  a carbon fee on the creation of greenhouse gases with a dividend for all americans.,United States of America,California,CA,Joe Biden,0,-0.3\r\n1628,10/23/2020,totally and completely untrue. many of us lost our healthcare joebiden .,United States of America,California,CA,Joe Biden,0,-0.8\r\n1629,10/23/2020,travistritt nor were they told to \xe2\x80\x9cstand ready\xe2\x80\x9d. biden lies.  biden bidenlies debates2020,United States of America,Georgia,GA,Joe Biden,0,-0.3\r\n1630,10/23/2020,trish_regan joebiden biden and cnn analyst jeffreytoobin perhaps were bonding on zoom call | bernieandsid seanspicer lyndsay,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1631,10/23/2020,trump &amp; biden final debate. is voting for either one the solution for blacks  blackvotersmatter politicialeducation blackownedbusiness blacknationalism blacktwitter,United States of America,Alabama,AL,Joe Biden,1,0.1\r\n1632,10/23/2020,trump &amp; biden final debates2020 debate the craziest moments &amp; reaction | direct mes...  via youtube,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1633,10/23/2020,trump about biden i know more about wind than him. agreed. you are a huge wind bag. biden dumptrump bidenharris2020,United States of America,Missouri,MO,Joe Biden,2,0\r\n1634,10/23/2020,trump admits he hopes scotus will end the affordable care act aka 'obamacare' - let the senate gop know how you feel about moscowmitch and their court-packing; vote them out  debate bidencoalition biden demcastca demcast,United States of America,California,CA,Joe Biden,0,-0.5\r\n1635,10/23/2020,trump and biden are following up last night's debate in nashville with campaign2020 stops today in florida and delaware respectively. election2020 coverage continues on  debates2020 debates vote2020 vote,United States of America,Nebraska,NE,Joe Biden,0,-0.2\r\n1636,10/23/2020,trump and biden are the giants and eagles. difficult to watch. hard to believe either will win. will just be glad when it\xe2\x80\x99s over. nfl presidentialdebate2020,United States of America,Kentucky,KY,Joe Biden,0,-0.1\r\n1637,10/23/2020,trump and biden clash on pandemic trade personal jabs at final debate,United States of America,California,CA,Joe Biden,0,-0.3\r\n1638,10/23/2020,trump and economics in the gospels \xe2\x80\x93 dwellings &amp; other structures  economics trump lincolnproject biden foxnews christiansagainsttrump christian christians evangelicalsfortrump,United States of America,Florida,FL,Joe Biden,2,0\r\n1639,10/23/2020,trump appears to get defensive when biden brings up the nytimes articles about his taxes and financing problems in his campaign. debates2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1640,10/23/2020,trump arguing that joebiden doesn\xe2\x80\x99t know the law is comical.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1641,10/23/2020,trump biden clash over coronavirus response mounting death toll thehill,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1642,10/23/2020,trump biden election2020,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1643,10/23/2020,trump calling biden out for his 1994 comment calling blacks \xe2\x80\x9csuper predators\xe2\x80\x9d and saying he\xe2\x80\x99s done more for the black community is bull. what about the centralpark5  mr. \xe2\x80\x9cpresident\xe2\x80\x9d debates bidenharris2020,United States of America,California,CA,Joe Biden,0,-0.3\r\n1644,10/23/2020,trump calls new york 'ghost town' during presidential debate  debates2020 debates debatetonight trump biden election2020 elections2020,United States of America,California,CA,Joe Biden,0,-0.4\r\n1645,10/23/2020,trump campaign post debate q&amp;a trump biden  via youtube trump post debate news media q&amp;a,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1646,10/23/2020,trump chinesebankaccount  voteearlyday biden,United States of America,Texas,TX,Joe Biden,2,0\r\n1647,10/23/2020,trump couldn\xe2\x80\x99t spell moral if you asked him. vote voteearly votehimout votehimout2020 biden joebiden voteblue,United States of America,California,CA,Joe Biden,0,-0.1\r\n1648,10/23/2020,trump e biden l'ultimo duello presidentialdebate2020  tg1raiofficial,United States of America,New York,NY,Joe Biden,2,0\r\n1649,10/23/2020,trump gets interrupted by biden. then the moderator as he tries to answer the question. debates2020,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n1650,10/23/2020,trump goes there and biden says he hasn\xe2\x80\x99t taken a dime from a foreign country then prattles about trump tax returns debates2020,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1651,10/23/2020,trump got biden on wallstreet. biden does take a lot of money from them. biden won the coronavirus. it's tied to me.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1652,10/23/2020,trump is acting like an underdog in this debate. he is lobbing attacks on biden for his fundraising and ties to wall street and ties to russia. he also just said he prepaid his taxes.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1653,10/23/2020,trump is beginning to twitch. how long before he shouts at biden mic or no mic,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1654,10/23/2020,trump is doing a great job of uniting the dems and indies for biden   bidenharristoendthisnightmare bidenharristosaveamerica,United States of America,California,CA,Joe Biden,1,0.7\r\n1655,10/23/2020,trump is evading the question so badly right now. he has no answer. he doesn't care that russia and iran are interfering. listen to that nonsense folks. presidentialdebate2020 debates2020 biden trump debates,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1656,10/23/2020,trump is getting frazzled now. debates2020 debate2020 trump biden,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n1657,10/23/2020,trump is killing it. biden is on the ropes. debatetonight,United States of America,Missouri,MO,Joe Biden,2,0\r\n1658,10/23/2020,trump is owned by putin. debates2020 debate2020 debatetonight presidentialdebate2020 joebiden,United States of America,New York,NY,Joe Biden,1,0.1\r\n1659,10/23/2020,trump is soooo mad he can't interrupt and it's amazing to watch. joebiden,United States of America,Arizona,AZ,Joe Biden,1,0.6\r\n1660,10/23/2020,trump is winning this debate.  smh. come on biden,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1661,10/23/2020,trump just got a great campaign ad from a lovely nashville voter c/o australian tv ; ...the democratic party is totally into controlling everything that you do....that's not what this country was founded on. biden needs to answer this  via youtube,United States of America,California,CA,Joe Biden,0,-0.6\r\n1662,10/23/2020,trump looked like he might cast his vote for biden after joebiden closing statement. presidentialdebate  bidenharrislandslide2020,United States of America,Georgia,GA,Joe Biden,2,0\r\n1663,10/23/2020,trump on callin fauci an idiot \xe2\x80\x9che said this is no problem this is gonna go away\xe2\x80\x9d.  huh fauci said that \xf0\x9f\x99\x84 debates2020 biden,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n1664,10/23/2020,trump presents range of falsehoods and lies about covid in secondpresidentialdebate  via msnbc news secondpresidentialdebate2020 election2020 electionday 2020election biden bidenharris2020 bidenharris bidenharris2020tosaveamerica covid\xe3\x83\xbc19,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1665,10/23/2020,trump pretends to care about workers only until they vote for him. he does nothing to save their jobs. h/t to the machinistsunion for calling out realdonaldtrump's brokenpromises.  biden vote trumplies 1u solidarity,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n1666,10/23/2020,trump ran because of biden i interesting. in 2015 he said it was for himself  debate2020,United States of America,New York,NY,Joe Biden,1,0.1\r\n1667,10/23/2020,trump repeats his years-long assertion that he will release his tax returns when government audit is complete. the president is not prevented from releasing his tax returns while under audit debate debatetonight factcheck vote joebiden bidenharris2020,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n1668,10/23/2020,trump running circles around biden ..georgians would be idiotic to vote democrate debates2020 redwave,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n1669,10/23/2020,trump said nothing new. he just filled in the blanks with all the usual lies. and in the end didn\xe2\x80\x99t answer the question like always. realdonaldtrump biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n1670,10/23/2020,trump saying that joe biden makes money by locking himself in his basement and joe's reaction to it is the funniest thing so far. debates2020 debate debate2020 presidentialdebate2020 presidentialdebate joebiden trumpmeltdown,United States of America,Oregon,OR,Joe Biden,1,0.3\r\n1671,10/23/2020,trump stating his case against wind energy. 2020debate trump biden bidenharris2020 debates2020 debatetonight trumpvsbiden2020 merica,United States of America,Texas,TX,Joe Biden,2,0\r\n1672,10/23/2020,trump sure has changed his tune on the virus debatetonight biden trump,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1673,10/23/2020,trump tried to throw big punches. didn\xe2\x80\x99t land. time to close it out. biden,United States of America,Missouri,MO,Joe Biden,0,-0.4\r\n1674,10/23/2020,trump tweeted that we should compare 60minutes journalist stahl\xe2\x80\x99s \xe2\x80\x98constant interruptions &amp; anger\xe2\x80\x99  w his \xe2\x80\x98full flowing &amp; magnificently brilliant\xe2\x80\x99 answers. okay   bidenharris2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99 flipthesenate biden votebluedownballot voteearly,United States of America,California,CA,Joe Biden,2,0\r\n1675,10/23/2020,trump \xe2\x80\x9ceveryone knew about china bank account.\xe2\x80\x9d que it was exposed by nytimes after they sued for information. debates2020 biden,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1676,10/23/2020,trump \xe2\x80\x9ci prepaid millions of dollars in taxes.\xe2\x80\x9d \xe2\x80\x9ci get treated very badly by the irs.\xe2\x80\x9d does anyone believe that debates2020 biden,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n1677,10/23/2020,trump \xe2\x80\x9cwe are on the road to success.\xe2\x80\x9d debates2020 coronaviruspandemic biden,United States of America,New York,NY,Joe Biden,1,0.2\r\n1678,10/23/2020,trump's plan for the next four years \xf0\x9f\x91\x87\xf0\x9f\x91\x8d\xf0\x9f\x91\x8c biden vote presidentialdebates2020 \xf0\x9f\x87\xb5\xf0\x9f\x87\xb7\xf0\x9f\x91\x87,United States of America,California,CA,Joe Biden,1,0.1\r\n1679,10/23/2020,trumpchinabankaccount should be the last one asking biden about oversees business dealings  debates2020,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1680,10/23/2020,trumpchinabankaccount trumpmeltdown trumpispathetic votehimout2020 bidenharristosaveamerica biden votebluedowntheballot voteouteveryrepublican,United States of America,New Jersey,NJ,Joe Biden,1,0.4\r\n1681,10/23/2020,trumpisamoron debatetonight joebiden factsmatter,United States of America,New York,NY,Joe Biden,1,0.3\r\n1682,10/23/2020,trumpispathetic maga2020 stop this madness please  vote biden votebidenharris2020 \xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Joe Biden,0,-0.7\r\n1683,10/23/2020,trump\xe2\x80\x99s answer on whether or not he understands the race in our country was the was the equivalent of i've had three black people in my house ...debates2020 debatetonight biden trumpispathetic,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1684,10/23/2020,trump\xe2\x80\x99s claim that only immigrants with \xe2\x80\x9cthe lowestiq\xe2\x80\x9d follow the law was unconscionable  voxdotcom news secondpresidentialdebate2020 election2020 electionday 2020election trump biden bidenharris2020 bidenharris bidenharris2020tosaveamerica,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1685,10/23/2020,trump\xe2\x80\x99s political mojo is back &amp; he is making such logical arguments that joebiden is loosing the floor. debates2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1686,10/23/2020,trump\xe2\x80\x99s sweat glands are saying a lot about how this debate is going. biden trumpispathetic debatetonight good,United States of America,New York,NY,Joe Biden,1,0.2\r\n1687,10/23/2020,trust biden,United States of America,Ohio,OH,Joe Biden,1,0.7\r\n1688,10/23/2020,trust his words joebiden is the greennewdeal.,United States of America,Pennsylvania,PA,Joe Biden,1,0.7\r\n1689,10/23/2020,twitchycalves if you vote biden you might be a thirst trap,United States of America,Texas,TX,Joe Biden,0,-0.9\r\n1690,10/23/2020,two yahoos fighting for the same position to get there and do nothing.  i'm watching nygvsphi cause i'm all debate exhausted. this method should have been used from the first. turn both mics off if the children can't talk one at a time. debates2020 trump biden,United States of America,New Jersey,NJ,Joe Biden,0,-0.4\r\n1691,10/23/2020,typical of the liberal activist hacks on cnn cnn doing the bidding of biden 24-7 while posing as journalists. cnnfakenews,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n1692,10/23/2020,unitedasone2020 politics_polls trafalger has trump surging in michigan. rasmussen_poll has trump at 46% with black folks today.   biden\xe2\x80\x99s campaign is beginning to collapse.,United States of America,Virginia,VA,Joe Biden,0,-0.3\r\n1693,10/23/2020,unpopular opinion... this moderator hasn\xe2\x80\x99t been as bad as fellow trump supporters are saying she has been \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8..... usa presidentialdebate biden trump america maga,United States of America,California,CA,Joe Biden,0,-0.7\r\n1694,10/23/2020,usatoday regardless your thoughts on this debate please - go vote debates biden trump ericarmaier,United States of America,California,CA,Joe Biden,0,-0.4\r\n1695,10/23/2020,usprezdebate clueless usa biden trump uspresidentialdebate democats republicans,United States of America,Nevada,NV,Joe Biden,0,-0.5\r\n1696,10/23/2020,valeriejarrett stephenathome that should be enough to make this a biden landslide,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n1697,10/23/2020,very cordial debate tonight. biden did fantastic and was by far the best looking candidate. presidentialdebate2020 bidenharris2020,United States of America,Ohio,OH,Joe Biden,1,0.6\r\n1698,10/23/2020,vote for biden nuecescounty \xf0\x9f\x92\x99,United States of America,Texas,TX,Joe Biden,1,0.4\r\n1699,10/23/2020,vote for sanity science reason compassion equality and a chance to build a better country for everyone. we cannot afford to mess this up. we can do this \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 bidenharris2020 joebiden kamalaharris flipthesenate,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n1700,10/23/2020,vote prolife vote for realdonaldtrump the most prolife president we've ever had. in name only catholic biden is pro abortion &amp; so is his running mate.,United States of America,Maryland,MD,Joe Biden,0,-0.3\r\n1701,10/23/2020,vote voteearly voteinperson joebiden blacklivesmatter  kamalaharris,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1702,10/23/2020,voteblue joebiden kamalaharris,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n1703,10/23/2020,votehimout trumpmeltdown trumpispathetic trumpisnotwell  bidencares biden bidenharristosaveamerica,United States of America,New York,NY,Joe Biden,1,0.4\r\n1704,10/23/2020,voters in the swing state of pennsylvania certainly won't appreciate this... \xf0\x9f\xa4\x94 fracking debates2020 biden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n1705,10/23/2020,vp biden is only a candidate. what power does he have over jarrett's wifi magical shows what happens to a far-right mind. a complex conspiracy is their go-to explanation for everything.,United States of America,California,CA,Joe Biden,1,0.1\r\n1706,10/23/2020,wait biden was vicepresident 3 years ago \xf0\x9f\xa7\x90 trumpmeltdown,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1707,10/23/2020,wait...did trump just say that biden was selling \xe2\x80\x9cpillows and sheets\xe2\x80\x9d did he confuse him with his pillow pal presidentialdebate2020,United States of America,Pennsylvania,PA,Joe Biden,0,-0.7\r\n1708,10/23/2020,waita2nd people in glass houses.. trump lied more than biden did especially on covid..,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n1709,10/23/2020,walkaway biden bidenharris2020,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1710,10/23/2020,walkaway bidenlies biden,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1711,10/23/2020,walkaway walkawayfromdemocrats biden bidenharris,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1712,10/23/2020,was there a definitive winner of tonight's debate2020 trump biden debatetonight,United States of America,Louisiana,LA,Joe Biden,1,0.4\r\n1713,10/23/2020,was trump about to say statesticles debate debatetonight debates2020 biden,United States of America,Wisconsin,WI,Joe Biden,0,-0.2\r\n1714,10/23/2020,washingtonpost debates2020 presidentialdebate2020 trumpispathetic biden covid19,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1715,10/23/2020,watch live the final debate between president donald trump and former vice president joe biden starts soon. watch with cbsnews on haystack news  debates2020 debates debatetonight trump biden election2020 elections2020,United States of America,California,CA,Joe Biden,0,-0.2\r\n1716,10/23/2020,watching ingrahamangle &amp; fox opine about biden wanting us to move away from fossil fuels lets me know that they would have told henry ford to keep building horse carriages the lack of gop future economic vision is embarrassing  biden votedem voteblue cavemaneconomy,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n1717,10/23/2020,watching joebiden trying to hold his laugh and donaldtrump pout his lips debates2020 . who won,United States of America,New York,NY,Joe Biden,2,0\r\n1718,10/23/2020,watching the last debate prior to the elections this november 3 trump vs biden  interesting en west palm beach florida,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1719,10/23/2020,watching the presidentialdebate2020 trump biden realdonaldtrump joebiden abc,United States of America,New York,NY,Joe Biden,2,0\r\n1720,10/23/2020,we are learning to die with it ...biden....we are learning to live with it...realdonaldtrump,United States of America,New York,NY,Joe Biden,1,0.7\r\n1721,10/23/2020,we are not all sleeping cnn chriscuomo joebiden realdonaldtrump 2020debates biden,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1722,10/23/2020,we are not blue states or red adrares we are the united states...we are all americans joebiden,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1723,10/23/2020,we are so ready for empathy and kindness to replace vacuous self-interest. joebiden,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1724,10/23/2020,we believe kamalaharris schooled joebiden on the dozens. his one liners tonight were on point debates2020,United States of America,District of Columbia,DC,Joe Biden,1,0.4\r\n1725,10/23/2020,we love you joebiden &amp; kamalaharris,United States of America,California,CA,Joe Biden,1,0.9\r\n1726,10/23/2020,we need a president who tells the truth and listens to experts.  please vote biden bluetsunami2020,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1727,10/23/2020,we need biden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1728,10/23/2020,we need biden to be president.,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1729,10/23/2020,we need joebiden who has a plan.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1730,10/23/2020,we need to be a united states we need someone to unite this country. trump has proven he is not the person to do that debates2020 trumpisnotamerica joebiden,United States of America,Utah,UT,Joe Biden,0,-0.6\r\n1731,10/23/2020,we need to be able to walk and chew gum at the same time  stronglywordedpod presidentialdebate2020 presidentialdebate biden trump debatefly,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n1732,10/23/2020,we're going to have a dark winter haaaaaaaa biden haaaaaaaa,United States of America,South Carolina,SC,Joe Biden,2,0\r\n1733,10/23/2020,we're not learning to live with it covid we're learning to die with it \xf0\x9f\x94\xa5 biden debates2020 nmpol,United States of America,New Mexico,NM,Joe Biden,1,0.1\r\n1734,10/23/2020,we're not supposed to have a socialist president we weren't supposed to have a narcissist white supremacy-supporting bankrupt businessman in debt to foreign powers president either but... also is he aware joebiden will be president not kamalaharris,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n1735,10/23/2020,welcome to the biden come on roast fest of donald j. trump. biden bidenharris2020 debates2020 fridaythoughts trump cmonman cmon roast bidenwon vote2020 votebidenharris2020 votebluetosaveamerica votehimout,United States of America,California,CA,Joe Biden,1,0.1\r\n1736,10/23/2020,well during tonight\xe2\x80\x99s presidentialdebate2020 both candidates made some really strong points that resonated with me so i\xe2\x80\x99m certainly not voting for hunter biden nancy pelosi or donald trump. iguessimvotingforjoe joebiden bidenharristosaveamerica maga,United States of America,Kentucky,KY,Joe Biden,1,0.2\r\n1737,10/23/2020,well....duh i have been waiting for this for a loooooong time biden finally said \xe2\x80\x9crepublican congress\xe2\x80\x9d when trump said something about biden and his time in government. remember thepartyofno,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n1738,10/23/2020,weowethem re the dreamers is a courageous and righteous statement by biden debate2020,United States of America,Massachusetts,MA,Joe Biden,1,0.6\r\n1739,10/23/2020,we\xe2\x80\x99re gonna choose science over fiction. we\xe2\x80\x99re gonna choose hope over fear joebiden debates debates2020,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1740,10/23/2020,what are all the oil fields families are going to do if biden wins. it will kill texas. presidentialdebate2020 biden debate,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1741,10/23/2020,what are you even talking about joebiden i\xe2\x80\x99m lost debates2020 debate2020 trump biden,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1742,10/23/2020,what are you even talking about joebiden i\xe2\x80\x99m lost debates2020\xc2\xa0 debate2020 trump biden presidentialdebate2020,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1743,10/23/2020,what are you hiding mr. president  joebiden vote,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1744,10/23/2020,what is on the ballot this year is the character of this country. love trumps hate. biden bidenharris2020 dumptrump racistinchief,United States of America,New York,NY,Joe Biden,1,0.1\r\n1745,10/23/2020,what no all caps rants on twitter -- isn't that what a potus is supposed to tweet oh wait... that's realdonaldtrump's way. if you prefer the measured and clear statements of joebiden votebluetoendthisnightmare,United States of America,New Jersey,NJ,Joe Biden,0,-0.4\r\n1746,10/23/2020,what reason will anyone in a biden administration ... which will include leftists &amp; when we\xe2\x80\x99ve increasingly seen the left use ends to justify means ... have to think they\xe2\x80\x99d be held accountable for corruption or misdeeds when msm bigtech npr debatecommission cover for them,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1747,10/23/2020,what tf is this trump word salad he's done more for blacks really f*ck trump bidenharris2020 biden,United States of America,Texas,TX,Joe Biden,0,-0.9\r\n1748,10/23/2020,what the hell is wrong with harrisfaulkner foxnews - she cutts off her guests  and she keeps interpreting  joebiden garbles - wtf - everyday i toon in to foxnews and everyday i am disappointed - so i keep tuning back to oann,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1749,10/23/2020,what\xe2\x80\x99s on the ballot is the character of our country. biden,United States of America,California,CA,Joe Biden,1,0.2\r\n1750,10/23/2020,when i'm the president i won't be seeing red or blue states i'll the united states. joebiden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1751,10/23/2020,when trump asked biden why he didn't do all those things that he says he'll do now while he was in politics for the past 47 years and was v.p. for 8 years with obama from 2009 to 2017 joe said because it was a republican congress. where are the fact-checkers whereshunter,United States of America,Nevada,NV,Joe Biden,0,-0.2\r\n1752,10/23/2020,when you have to say i am the least racist person in the room.... you are a racist debates2020 bidenharris2020 biden,United States of America,Illinois,IL,Joe Biden,0,-0.6\r\n1753,10/23/2020,when your cat is all in for presidentialdebate2020 on the biden side of things. joebidensneighborhood soulsquad teamjoe womenforbiden catsforbiden,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n1754,10/23/2020,where are trump's tax returns debates2020 debate2020 debatetonight presidentialdebate2020 joebiden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1755,10/23/2020,where is my healthcare realdonaldtrump  i\xe2\x80\x99m 48 and have been working since i was 14. i cannot afford insurance and my employer cannot afford to offer it. somethings gotta give. healthcarevoter biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1756,10/23/2020,which will have harder hits tonight trump vs biden presidentialdebate2020 or nfl giants vs eagles,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1757,10/23/2020,who built the cages joebiden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1758,10/23/2020,who built the cages joebiden,United States of America,California,CA,Joe Biden,0,-0.2\r\n1759,10/23/2020,who built the cages obama biden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1760,10/23/2020,who built the cages who built the cages -- joebiden,United States of America,California,CA,Joe Biden,0,-0.2\r\n1761,10/23/2020,who built the cages \xf0\x9f\xa7\x90\xf0\x9f\xa7\x90\xf0\x9f\xa7\x90 presidentialdebate2020 debates2020 trump biden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1762,10/23/2020,who do you think won the debate tonight debate round2 trump biden pence harris debatepoll polldebate,United States of America,Illinois,IL,Joe Biden,0,-0.5\r\n1763,10/23/2020,who filled the cages don bidenharris2020 biden,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n1764,10/23/2020,who said joebiden is boring and bland i see a man who is feisty and passionate.,United States of America,California,CA,Joe Biden,0,-0.4\r\n1765,10/23/2020,who shakes their head negatively when the opposing candidate says \xe2\x80\x9ci will be the president for all americans; we will choose hope over fear.\xe2\x80\x9d  debates2020 debatetonight  debate2020 biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1766,10/23/2020,who will win on november 3rd 2020election presidentialelection presidentialelection2020 donaldtrump joebiden presidentialdebate2020 trump biden,United States of America,California,CA,Joe Biden,2,0\r\n1767,10/23/2020,who won the debate debates2020 debates presidentialdebate2020 presidentialdebate donaldtrump joebiden trump biden debate,United States of America,Florida,FL,Joe Biden,2,0\r\n1768,10/23/2020,who won the debate rt for greater sample size. 2020debate debates2020 presidentialdebate biden trump,United States of America,New York,NY,Joe Biden,2,0\r\n1769,10/23/2020,who won the last presidential debate trump biden presidentialdebate2020,United States of America,New York,NY,Joe Biden,2,0\r\n1770,10/23/2020,who won tonight's debate biden trump debates2020,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1771,10/23/2020,who would have thought that the best remedy to fight these old decrepit white cowards is a passionate and charming white man joebiden votehimout2020  trumpispathetic trumpmeltdown,United States of America,Oregon,OR,Joe Biden,1,0.7\r\n1772,10/23/2020,who\xe2\x80\x99s winning this debate so far trump biden debates debates2020,United States of America,California,CA,Joe Biden,0,-0.4\r\n1773,10/23/2020,why does biden flatter that horrific racist nazi oligarch authoritarian by calling him a fellow debates2020,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1774,10/23/2020,why is it so hard for people to understand that biden's reference to hitler &amp; nazi germany being on terms w/the us pre-european aggression was simply to say that good relations won't deter someone bent on aggression; it does not guarantee lack of conflict. debates2020,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1775,10/23/2020,why obamacare doesn't work as promised  via youtube biden harris firejoebide healthcare trumpcaes,United States of America,California,CA,Joe Biden,0,-0.8\r\n1776,10/23/2020,why trump keep saying biden hasn\xe2\x80\x99t done anything for 47 years presidentialdebate2020,United States of America,Alabama,AL,Joe Biden,0,-0.8\r\n1777,10/23/2020,why would china moving their military closer to south korea help contain north korea what joebiden just said made no sense. is being tough on north korea going to start another war. debatetonight debates2020,United States of America,Georgia,GA,Joe Biden,0,-0.3\r\n1778,10/23/2020,will biden\xe2\x80\x99s green new deal be paying for all his plastic and plexiglass presidentialdebate2020 debates2020 trump biden,United States of America,Washington,WA,Joe Biden,0,-0.1\r\n1779,10/23/2020,will you shut up man........... election2020 trump biden,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1780,10/23/2020,wind energy has tremendous potential everywhere.  trump says it causes cancer kills birds.  necn presssec govmikehuckabee ohio biden texas energy renewables steel pennsylvania eagles iowa,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1781,10/23/2020,without any doubt joebiden won the debate tonight and won the presidency debates2020 vote2020 voteearly biden biden2020,United States of America,California,CA,Joe Biden,1,0.4\r\n1782,10/23/2020,woah biden-care he spoke it into existence debates2020 debate2020 trump biden,United States of America,Georgia,GA,Joe Biden,2,0\r\n1783,10/23/2020,woah uk tory former cabinet minister endorses biden election2020,United States of America,Texas,TX,Joe Biden,2,0\r\n1784,10/23/2020,wonder if joebiden knows democrats don't  create jobs they create dependency debates2020,United States of America,Minnesota,MN,Joe Biden,0,-0.3\r\n1785,10/23/2020,working for all americans not just who likes him. bidenharris2020 biden elections2020 bidenharris2020landslide bidenharristosaveamerica bidencare,United States of America,Florida,FL,Joe Biden,2,0\r\n1786,10/23/2020,worldstar can\xe2\x80\x99t wait to see what kamalaharris wears to the inauguration debatetonight  biden bidenharris2020,United States of America,Illinois,IL,Joe Biden,1,0.9\r\n1787,10/23/2020,worth remembering that before the coronavirus hit joebiden was leading donaldtrump in the polls. debates2020 debatetonight,United States of America,New York,NY,Joe Biden,1,0.2\r\n1788,10/23/2020,wrong. 2008-2010 they had super majority. obama cld\xe2\x80\x99ve ran a freight train thru congress &amp; it would\xe2\x80\x99ve passed. and btw obamacare barley passed by 1 point. bing joebiden is cooked. done \xe2\x9c\x85,United States of America,California,CA,Joe Biden,0,-0.2\r\n1789,10/23/2020,wsj \xc2\xabat one point mr. trump said of the virus \xe2\x80\x9ci say we\xe2\x80\x99re learn\xc2\xading to live with it. we have no choice. we can\xe2\x80\x99t lock our\xc2\xadselves up in a base\xc2\xadment like joe does\xe2\x80\x9d a knock on mr. biden\xe2\x80\x99s ap\xc2\xadproach dur\xc2\xading the cam\xc2\xadpaign.\xc2\xbb,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1790,10/23/2020,wsj \xc2\xabbiden ac\xc2\xadknowl\xc2\xadedged that the tough_on_crime poli\xc2\xadcies of the 80s &amp; 90s were a mis\xc2\xadtake he now be\xc2\xadlieved \xe2\x80\x9cwe shouldn\xe2\x80\x99t send any\xc2\xadone to jail for a pure drug of\xc2\xadfense.\xe2\x80\x9d but he ac\xc2\xadcused trump of di\xc2\xadvid\xc2\xading the na\xc2\xadtion say\xc2\xading he \xe2\x80\x9chas a dog whis\xc2\xadtle as big as a foghorn\xe2\x80\x9d\xc2\xbb,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1791,10/23/2020,yeah make check payable to hunterbiden and he see to it that the bigguy gets his fair share joebiden. debates debates2020 foxnews,United States of America,New York,NY,Joe Biden,2,0\r\n1792,10/23/2020,yeah realdonaldtrump what are you hiding joebiden,United States of America,Tennessee,TN,Joe Biden,0,-0.1\r\n1793,10/23/2020,yep. the average american is for the long term for stock market and for surviving covid. trump =&gt; fail on covid tax giveaway to the top 1%.  first responders deserve a minimum wage a living wage no evidence a living wage harms our economy. debates2020 voteearly biden,United States of America,Michigan,MI,Joe Biden,0,-0.1\r\n1794,10/23/2020,yes biden remind him that he is the president of the united states... not just the president of the republicans. \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbdpresidentialdebate2020 joebiden,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n1795,10/23/2020,yes drbiden. only 1 candidate has empathy for the suffering of families &amp; working people for blacklivesmatter  for immigrants for dreamers for daca recipients for immigrant children taken from their families for victims of injustice for the sick and the poor. joebiden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1796,10/23/2020,yes joebiden move  toward net zero emissions phase out oil industry subsidies and invest in green energy jobs debatetonight,United States of America,New York,NY,Joe Biden,2,0\r\n1797,10/23/2020,yes realdonaldtrump joebiden called you xenophobic he shut down travel from china later europe but  joebiden outright lied/denied ever calling trump2020 a xenophobe  lying joe bidenthe truth matters debates2020 debatetonight lyingjoebiden walkawaydemocrats fnfno,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1798,10/23/2020,yes. transition from the oil industry. replace it with renewable energy. joebiden debates2020,United States of America,Washington,WA,Joe Biden,1,0.1\r\n1799,10/23/2020,yesssss biden  speak to us  presidentialdebate2020,United States of America,California,CA,Joe Biden,0,-0.1\r\n1800,10/23/2020,yo realdonaldtrump just said wind kills all the birds. debates2020  trump biden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1801,10/23/2020,you can own an asteroid lmaoooooooo i already the worldsecrets and what they hide from u peasants newera 2020 trump biden space elonmusk joerogan,United States of America,Arizona,AZ,Joe Biden,1,0.1\r\n1802,10/23/2020,you can tell the relationship that donaldtrump &amp; melaniatrump she didn\xe2\x80\x99t even hug him after the debates2020 but joebiden got a nice hug \xf0\x9f\xa4\x97 pat on the back &amp; a little bit of encouragement from his wife jillbiden i\xe2\x80\x99m proud of you honey you totally nailed it,United States of America,Nevada,NV,Joe Biden,1,0.8\r\n1803,10/23/2020,you know when biden starts counting he means bizness debatenight biden,United States of America,California,CA,Joe Biden,2,0\r\n1804,10/23/2020,you know who\xe2\x80\x99s a bigger joke than lying joe biden the idiots that are stupid enough to vote for him debates2020 trump2020 joebiden bidencrimefamiily fracking,United States of America,Nevada,NV,Joe Biden,0,-0.9\r\n1805,10/23/2020,you wanna know what a 50 year marriage looks like go tune into the trump vs biden debate \xf0\x9f\x98\x82,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1806,10/23/2020,young joebiden \xf0\x9f\x98\x8d\xf0\x9f\x98\x8d\xf0\x9f\x98\x8d excuse me what joebiden youngjoebiden vote,United States of America,California,CA,Joe Biden,2,0\r\n1807,10/23/2020,yup. \xf0\x9f\xa4\xac vote biden votebluetoendthisnightmare \xe2\x9c\x8a\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Joe Biden,1,0.1\r\n1808,10/23/2020,yup...really \xe2\x80\x9crounding the corner\xe2\x80\x9d huh realdonaldtrump is lost and a failure. we need leadership not incompetence and lies. vote biden covid19  coronavirus,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1809,10/23/2020,zinger count biden 4. trump 0. debates2020,United States of America,California,CA,Joe Biden,2,0\r\n1810,10/23/2020,\xe2\x80\x9c there was joebiden apologizing for himself and running against himself. he dissed barackobama one time and the other ten opponents another. there were times joebiden didn\xe2\x80\x99t tell the truth and obamacare was the biggest whopper.\xe2\x80\x9d - jsolomonreports on kmcradio,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1811,10/23/2020,\xe2\x80\x9canyone responsible for those many deaths should not remain president\xe2\x80\x9d joebiden debates2020 debatetonight,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n1812,10/23/2020,\xe2\x80\x9canyone who is responsible for 220000+ deaths should not remain in office.\xe2\x80\x9d \xe2\x80\x94joebiden debatetonight debate2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1813,10/23/2020,\xe2\x80\x9ccatch and release is a disaster\xe2\x80\x9d trump says. biden emphasizes that the program worked and people \xe2\x80\x9cshowed up\xe2\x80\x9d because they wanted to follow the law. immigration debate2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1814,10/23/2020,\xe2\x80\x9ccome on man\xe2\x80\x9d~biden drinkinggame mutethatbitch,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n1815,10/23/2020,\xe2\x80\x9cdon\xe2\x80\x99t give me this business about how you are an innocent baby\xe2\x80\x9d potus to joebiden debates2020,United States of America,California,CA,Joe Biden,0,-0.9\r\n1816,10/23/2020,\xe2\x80\x9cfind me a scientist who says that\xe2\x80\x9d joebiden debates2020,United States of America,California,CA,Joe Biden,2,0\r\n1817,10/23/2020,\xe2\x80\x9cfrasist fire.\xe2\x80\x9d - joebiden,United States of America,Michigan,MI,Joe Biden,1,0.1\r\n1818,10/23/2020,\xe2\x80\x9che made a lot of money somewhere\xe2\x80\x9d trump talking about joebiden \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 what a savageeee debatetonight,United States of America,Massachusetts,MA,Joe Biden,0,-0.3\r\n1819,10/23/2020,\xe2\x80\x9che must be confused. he is running against joebiden\xe2\x80\x9d presidentialdebate2020 joebiden,United States of America,Nevada,NV,Joe Biden,0,-0.6\r\n1820,10/23/2020,\xe2\x80\x9chis ineptitude causes the country to shut down.... instead of being in his sand trap at his golf club\xe2\x80\x9d joebiden realdonaldtrump,United States of America,California,CA,Joe Biden,0,-0.7\r\n1821,10/23/2020,\xe2\x80\x9ci am a proud democrat  but i\xe2\x80\x99m running to be a president for all people of the unitedstates \xe2\x80\x9c biden .,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n1822,10/23/2020,\xe2\x80\x9ci think my timeline is more accurate\xe2\x80\x9d so trumpknows more than these doctors scientists and professionals  wo  debates2020 debate2020 debatetonight biden trumpmeltdown,United States of America,California,CA,Joe Biden,0,-0.8\r\n1823,10/23/2020,\xe2\x80\x9cit just went away\xe2\x80\x9d trump used his son\xe2\x80\x99s positive covid\xe3\x83\xbc19 test to downplay the pandemic   news secondpresidentialdebate2020 election2020 electionday 2020election trump biden bidenharris2020 bidenharris bidenharris2020tosaveamerica,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1824,10/23/2020,\xe2\x80\x9ci\xe2\x80\x99m going to shut down the virus not the country\xe2\x80\x9d joebiden at presidentialdebate2020.,United States of America,California,CA,Joe Biden,0,-0.7\r\n1825,10/23/2020,\xe2\x80\x9ci\xe2\x80\x99m gonna shut down the virus not the country.\xe2\x80\x9d joebiden debate2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1826,10/23/2020,\xe2\x80\x9ci\xe2\x80\x99m running as a proud democrat but i\xe2\x80\x99m going to be president of the united states.\xe2\x80\x9d joebiden debates2020,United States of America,New York,NY,Joe Biden,1,0.3\r\n1827,10/23/2020,\xe2\x80\x9ci\xe2\x80\x99m the least racist person in this room.\xe2\x80\x9d okay buddy...and he had the nerve to call out the crime bill when trump himself said it didn\xe2\x80\x99t go far enough back then. biden bidenharris2020,United States of America,Tennessee,TN,Joe Biden,0,-0.2\r\n1828,10/23/2020,\xe2\x80\x9cjesus fcking christ\xe2\x80\x9d produced during the debate is now on soundcloud... haripo my friend beat debate presidentialdebate biden trump producer haripomyfriend new music fuck  chicago illinois,United States of America,Illinois,IL,Joe Biden,0,-0.4\r\n1829,10/23/2020,\xe2\x80\x9cthat is russian... that is not true\xe2\x80\x9d - joebiden can\xe2\x80\x99t finish a thought. hunterbidenukrainescandal joebiden hunterbidenemails whereshunter,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1830,10/23/2020,\xe2\x80\x9cthat\xe2\x80\x99s the end of that\xe2\x80\x9d is a swear in the midwest. biden,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n1831,10/23/2020,\xe2\x80\x9cthe future lies in us being able to breathe.\xe2\x80\x9d vs \xe2\x80\x9cwindmills kill all the birds.\xe2\x80\x9d joebiden,United States of America,Oregon,OR,Joe Biden,2,0\r\n1832,10/23/2020,\xe2\x80\x9cthe poor boys.\xe2\x80\x9d - joebiden,United States of America,Michigan,MI,Joe Biden,0,-0.2\r\n1833,10/23/2020,\xe2\x80\x9cthe rrrrrrrio grand rrrrrrriver.\xe2\x80\x9d stuttering senile joebiden,United States of America,Missouri,MO,Joe Biden,1,0.2\r\n1834,10/23/2020,\xe2\x80\x9cthere\xe2\x80\x99s a reason for all his malarkey.\xe2\x80\x9d biden,United States of America,California,CA,Joe Biden,1,0.1\r\n1835,10/23/2020,\xe2\x80\x9cthis guy is a dog whistle about as big as a foghorn\xe2\x80\x9d \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 joebiden crazyuncletrump debates2020  bidenforpresident,United States of America,California,CA,Joe Biden,2,0\r\n1836,10/23/2020,\xe2\x80\x9cunlike donald trump i believe healthcare is a right not a privilege.\xe2\x80\x9d - joebiden joebiden leadership votebidenharris2020 msnbc nbcnews,United States of America,Michigan,MI,Joe Biden,0,-0.2\r\n1837,10/23/2020,\xe2\x80\x9cwe can\xe2\x80\x99t lock ourselves in a basement like joe does.\xe2\x80\x9d best quote by trump so far tonight. realdonaldtrump joebiden debates2020 debatenight election2020 donaldjtrump joebiden,United States of America,Missouri,MO,Joe Biden,1,0.2\r\n1838,10/23/2020,\xe2\x80\x9cwe had a good relationship with hitler\xe2\x80\x9d joebiden presidentialdebate2020,United States of America,Indiana,IN,Joe Biden,1,0.6\r\n1839,10/23/2020,\xe2\x80\x9cwe ought to be able to chew gum and walk at the same time\xe2\x80\x9d joebiden about trump. debate2020 debatenight biden,United States of America,Florida,FL,Joe Biden,2,0\r\n1840,10/23/2020,\xe2\x80\x9cwhere i come from in scranton people don\xe2\x80\x99t live off the stock market\xe2\x80\x9d joebiden is a man who understands what it means to struggle biden debates debates2020 trump dumptrump,United States of America,California,CA,Joe Biden,0,-0.1\r\n1841,10/23/2020,\xe2\x80\x9cwhere i come from people don\xe2\x80\x99t live off wall street. biden,United States of America,California,CA,Joe Biden,2,0\r\n1842,10/23/2020,\xe2\x80\x9cyou have different views on climate change.\xe2\x80\x9d yes one believes climate change is real the other doesn\xe2\x80\x99t. 2020presidentialdebate climateaction biden bidenharristosaveamerica trumpmeltdown trumpispathetic climateemergency,United States of America,New York,NY,Joe Biden,1,0.1\r\n1843,10/23/2020,\xe2\x80\x9cyou\xe2\x80\x99re all talk and no action.\xe2\x80\x9d is that what trump said to biden  or is that what melania said to trump,United States of America,California,CA,Joe Biden,0,-0.5\r\n1844,10/23/2020,\xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 you were right. joebiden did say he was against fracking.,United States of America,Florida,FL,Joe Biden,2,0\r\n1845,10/23/2020,\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 joe seems alert \xf0\x9f\x9a\xa8 tonight\xf0\x9f\xa4\xa3 come on man trump there like a vacuum cleaner \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3these two crack me up \xf0\x9f\x98\x86 makeamericagreatagain crookedjoe trump joebiden presidentialdebate2020 russiahoax joebidenukrainescandal,United States of America,New York,NY,Joe Biden,2,0\r\n1846,10/23/2020,\xf0\x9f\x8e\xa4 drop. that last comment from biden was fantastic.,United States of America,Texas,TX,Joe Biden,1,0.4\r\n1847,10/23/2020,\xf0\x9f\x92\x95...biden~one blowhard ~none debates2020,United States of America,Illinois,IL,Joe Biden,1,0.4\r\n1848,10/23/2020,\xf0\x9f\x93\xb7 aoc for joebiden voteblue aoc bidenharris2020 joebiden alexandriaocasiocortez at atlanta georgia,United States of America,Georgia,GA,Joe Biden,2,0\r\n1849,10/23/2020,\xf0\x9f\x98\x82\xf0\x9f\x98\x82 benjaminnetanyahu is reading the polls like everyone else he\xe2\x80\x99s perfectly fine working with joebiden  he\xe2\x80\x99d probably get more done for israel when realdonaldtrump is voted out votebidenharris,United States of America,Michigan,MI,Joe Biden,2,0\r\n1850,10/23/2020,\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 joebiden reminds trump he got impeached for bribery go joebiden  presidentialdebate2020 msnbc,United States of America,Michigan,MI,Joe Biden,0,-0.2\r\n1851,10/23/2020,\xf0\x9f\xa4\x9a\xf0\x9f\x8f\xbb motion to rename realdonaldtrump\xe2\x80\x99s favorite hate group \xe2\x80\x9cthe poorboys\xe2\x80\x9d debatetonight biden presidentialdebate2020 bidenharris joewillleadus,United States of America,Ohio,OH,Joe Biden,2,0\r\n1852,10/23/2020,\xf0\x9f\xa4\xa3 debate donaldtrump joebiden hunterbiden election2020 debates2020 debates,United States of America,North Carolina,NC,Joe Biden,2,0\r\n1853,10/24/2020,.ms4sf scorecard saturday posts are out check out biden and trump's climate health and equity policies on ocean health and buildings &amp; housing,United States of America,California,CA,Joe Biden,0,-0.1\r\n1854,10/24/2020,.t_woodbury1 what we see is joebiden entering the final weeks of this election with a very commanding lead and a very different coalition. it's very different from the obama-biden coalition... biden is leading among senior citizens leading among white women... amjoy,United States of America,New York,NY,Joe Biden,1,0.1\r\n1855,10/24/2020,09072021 enjoy the true joebiden a pervert corrupt stooge,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1856,10/24/2020,10 days before the general election vote joebiden votehimout,United States of America,Georgia,GA,Joe Biden,0,-0.3\r\n1857,10/24/2020,10/25/2020- the ballot\xc2\xa0decision2020 election2020 2020election presidentialelection trump donaldtrump presidenttrump trump2020 joebiden bidenharris2020 ruleoflaw,United States of America,Tennessee,TN,Joe Biden,2,0\r\n1858,10/24/2020,10days biden bidenharris2020 votebluetosaveamerica votehimout2020 dumptrump,United States of America,Colorado,CO,Joe Biden,1,0.4\r\n1859,10/24/2020,2 weasels 1 more clever than the other. joebiden tell netanyahu to f off.,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n1860,10/24/2020,2..to a firm connected 2 joebiden\xe2\x80\x99s son hunter &amp; a chinesemilitary contractor that was on an american watch list because of its close ties 2 the people\xe2\x80\x99s liberation army pla. hunterbiden\xe2\x80\x99s equityfund backed by the communistchinese government&amp; the chinese contractor..,United States of America,North Carolina,NC,Joe Biden,0,-0.1\r\n1861,10/24/2020,2020election biden bernie socialsecurity,United States of America,New York,NY,Joe Biden,1,0.3\r\n1862,10/24/2020,20jarett24 kayleighmcenany realdonaldtrump voting for joebiden by mail.,United States of America,New Mexico,NM,Joe Biden,2,0\r\n1863,10/24/2020,3/ joebiden and kamalaharris can't decide what they want more - money or votes joebiden honestly thinks the american people will not hold him accountable for his positions - is he just forgetful or is there some cognitive disconnect there,United States of America,California,CA,Joe Biden,0,-0.8\r\n1864,10/24/2020,80 % of 44 pa folks enthusiastic about trump but only half of 51 pa residents for biden.  this is not good for biden still,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1865,10/24/2020,a biden win will not be a biden win. it will be a trump loss. hope everyone understands that after election day. biden trump election2020,United States of America,California,CA,Joe Biden,0,-0.3\r\n1866,10/24/2020,a president\xe2\x80\x99s words have consequences. trump\xe2\x80\x99s toxic language and insults have made latinos a target of racism and extremist attacks.  bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,0,-0.4\r\n1867,10/24/2020,a shame biden hasn\xe2\x80\x99t done a press conference and could be asked this. hopefully realdonaldtrump donaldjtrumpjr teamtrump erictrump danscavino steveguest morgensternnj etc can keep reminding folks.,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1868,10/24/2020,a take i haven\xe2\x80\x99t seen yet - gop rushing through acb nomination b/c if not and biden wins election2020 then obama gets the supreme court nod,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1869,10/24/2020,alexmundahl eckhartsladder alex here's the breakdown of order 66 joebiden style.,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1870,10/24/2020,amazing that biden has any support at all,United States of America,Massachusetts,MA,Joe Biden,1,0.7\r\n1871,10/24/2020,america redstate bluestate election elections2020 trump biden usa,United States of America,California,CA,Joe Biden,0,-0.1\r\n1872,10/24/2020,and another one rides the biden bus.,United States of America,Arizona,AZ,Joe Biden,0,-0.1\r\n1873,10/24/2020,and joebiden ain't good,United States of America,California,CA,Joe Biden,0,-0.8\r\n1874,10/24/2020,and just like that biden is caught in yet another lie \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3,United States of America,Oregon,OR,Joe Biden,0,-0.7\r\n1875,10/24/2020,andrewdahdude larrysabato biden more simply put a genuine 4% national shift to biden from here i.e. biden +13 think ds flip az co nc me ia mt ga loeffler likely ga perdue; would have sc/ks/ak as true 50/50. hold mi easily think tx ms al in play but tough.,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1876,10/24/2020,as did i biden/harris,United States of America,Kentucky,KY,Joe Biden,2,0\r\n1877,10/24/2020,as election day nears what final dirty tricks could trump turn to  trump giuliani bannon dirtytricks campaign biden election cheats rnc republicans,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1878,10/24/2020,at today\xe2\x80\x99s joebiden rally near wilkes-barre today imwithjoe bidenharris2020,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1879,10/24/2020,az12141 they've come to collect your refrigerated placeholder. biden,United States of America,California,CA,Joe Biden,2,0\r\n1880,10/24/2020,baaaa. more trump supporters show up at biden rally than biden\xe2\x80\x99s.,United States of America,Louisiana,LA,Joe Biden,0,-0.1\r\n1881,10/24/2020,barackobama joebiden pres obama makes a good point if you can't handle 60 minutes how can you handle a dictator you'll cave...,United States of America,California,CA,Joe Biden,0,-0.6\r\n1882,10/24/2020,batman says vote for bidenpennsylvania pittsburgh's own michael keaton speaks out for joebiden.  via youtube,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1883,10/24/2020,berniesanders bernie berniebros bidenlied  biden democrats democratsarecorrupt corruptjoebiden socialsecurity medicare walkaway,United States of America,Arizona,AZ,Joe Biden,1,0.1\r\n1884,10/24/2020,biden,United States of America,California,CA,Joe Biden,1,0.3\r\n1885,10/24/2020,biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n1886,10/24/2020,biden and harris come under fire from fellow candidates during debate  via youtube trump2020 maga  realdonaldtrump realrlimbaugh,United States of America,Massachusetts,MA,Joe Biden,0,-0.5\r\n1887,10/24/2020,biden at a rally in pennsylvania with like 50 cars...is this indicative of someone's who's 9+ points ahead in the polls \xf0\x9f\x98\x92,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1888,10/24/2020,biden bidencrimefamiily pennsylvania chumps4trump,United States of America,California,CA,Joe Biden,1,0.3\r\n1889,10/24/2020,biden chumps. maga2020,United States of America,Colorado,CO,Joe Biden,1,0.3\r\n1890,10/24/2020,biden chumps4trump,United States of America,California,CA,Joe Biden,1,0.3\r\n1891,10/24/2020,biden decadesofbadchoices lieslies,United States of America,New York,NY,Joe Biden,1,0.3\r\n1892,10/24/2020,biden democrats,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n1893,10/24/2020,biden democrats corruption,United States of America,Massachusetts,MA,Joe Biden,0,-0.7\r\n1894,10/24/2020,biden has a plan. vote for him america. biden coronavirus,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1895,10/24/2020,biden has to be the absolute hands down biggest damn liar to ever run for president,United States of America,California,CA,Joe Biden,0,-0.7\r\n1896,10/24/2020,biden in pennsylvania now. let\xe2\x80\x99s votethemallout and regain our dignity we choose unity over division \xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99take back our democracy now  buckscounty pa,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n1897,10/24/2020,biden is against citizens wake up america \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f,United States of America,California,CA,Joe Biden,0,-0.5\r\n1898,10/24/2020,biden logic,United States of America,Texas,TX,Joe Biden,2,0\r\n1899,10/24/2020,biden may return to the status quo ante hope not; then again he may raise a coalition of likeminded allies to counter the cpp &amp; defend the free world. cwii 2020debate,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1900,10/24/2020,biden runs from question regarding hunterbiden,United States of America,Florida,FL,Joe Biden,2,0\r\n1901,10/24/2020,biden sleepyjoe,United States of America,South Carolina,SC,Joe Biden,1,0.3\r\n1902,10/24/2020,biden trump bodylanguageexpert debates2020,United States of America,New York,NY,Joe Biden,1,0.1\r\n1903,10/24/2020,biden will cut social security and medicare. in his own words...  election2020,United States of America,Texas,TX,Joe Biden,2,0\r\n1904,10/24/2020,biden's speaks of transitionenergetique from fossilfuels to wind water and solarpower. that transition is a potential source for thousands of jobs.  mahaffey persuasively argues there should be a place for nuclearenergy in transitionecologique.,United States of America,Nevada,NV,Joe Biden,2,0\r\n1905,10/24/2020,bidenharrislandslide2020 turn america into ghost city\xe2\x80\x99s like london vote the 2 morons biden &amp; harris &amp; watch,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1906,10/24/2020,bidenstophiding cnn realdonaldtrump dummy you read it. i see i have your attention.\xf0\x9f\x98\x82 just block me or mute me if i'm that bad. joebiden,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n1907,10/24/2020,biden\xe2\x80\x99s campaign is defined by his belief that consensus among the parties isn\xe2\x80\x99t only possible. it\xe2\x80\x99s preferable.   bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,1,0.3\r\n1908,10/24/2020,blackamericans by all means vote for joebiden to save your blackness since he now has the power to determine who's black &amp; who's not black. me i am a person of color so i don't have to vote to beg massajoe to save &amp; keep my identity. i vote trump2020 keepamericagreat,United States of America,Georgia,GA,Joe Biden,2,0\r\n1909,10/24/2020,blacklivesmatter election2020 joebiden kamalaharris,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1910,10/24/2020,blexit blacks exiting the democrat plantation to vote 4 realdonaldtrump blexit2020 blackvoicesfortrump joebiden walkaway trump2020,United States of America,South Carolina,SC,Joe Biden,1,0.1\r\n1911,10/24/2020,bonjovi for biden este s\xc3\xa1bado en pennsylvania uno de los estados clave en estas elecciones election2020 elecciones2020,United States of America,New York,NY,Joe Biden,1,0.2\r\n1912,10/24/2020,bonjovi jonbonjovi bonjovi biden joebiden pennsylvania \xf0\x9f\x8e\xbc\xf0\x9f\x8e\xb8\xf0\x9f\x8e\xb6\xf0\x9f\x8e\xb5\xf0\x9f\x8e\xb6 maddow bitmojimaddow,United States of America,New York,NY,Joe Biden,1,0.4\r\n1913,10/24/2020,brave texans are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1914,10/24/2020,brilliant  vote joebiden if you want to live joebiden,United States of America,California,CA,Joe Biden,1,0.9\r\n1915,10/24/2020,caphaddock23 bostonglobe yes its so sad that the democrats biden are supporting hamas iran gaza where jews gays and christians are being killed,United States of America,Massachusetts,MA,Joe Biden,0,-0.7\r\n1916,10/24/2020,check out progressives for joebiden's video \xe2\x81\xa6lindseygrahamsc\xe2\x81\xa9 hahahahaahahahahahhaahahah \xe2\x81\xa6harrisonjaime\xe2\x81\xa9,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1917,10/24/2020,check out user6718658364775's video tiktok trump2020 biden biden a damn fool,United States of America,Michigan,MI,Joe Biden,0,-0.9\r\n1918,10/24/2020,chris hayes discusses why democrats and the press should never ever ever worry or take republicans seriously when they complain about giving people \xe2\x80\x9cfree stuff.\xe2\x80\x9d   bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,0,-0.2\r\n1919,10/24/2020,christians don't need trump to save them. the truth is that trump needs christians to save his flailing campaign. bidencoalition biden demcastca demcast vote,United States of America,California,CA,Joe Biden,0,-0.3\r\n1920,10/24/2020,chuckwoolery npr is absolutely corrupt like biden in our opinion,United States of America,Nevada,NV,Joe Biden,0,-0.8\r\n1921,10/24/2020,coyote coyotegate coyotelivesmatter dingoatemybaby biden bidensaidwhat realdonaldtrump merylstreep,United States of America,Nevada,NV,Joe Biden,1,0.1\r\n1922,10/24/2020,daveyd99 sarahcpr thank you kind sir i voted in person and early...for biden  praying that decency prevails and that we get rid of this monster once and for all,United States of America,Minnesota,MN,Joe Biden,1,0.2\r\n1923,10/24/2020,ddale8 that\xe2\x80\x99s rich  accusing dem\xe2\x80\x99s of creating \xe2\x80\x9cfear\xe2\x80\x9d about something real  have you watched any of your political ads against  joebiden talk about creating fear that 911 won\xe2\x80\x99t pick up under joebiden shameonyou votehimout votebidenharristosaveamerica \xf0\x9f\x92\xaf\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x91\x8d\xf0\x9f\x8f\xbc\xf0\x9f\x97\xb3,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n1924,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbcl msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1925,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbcl msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1926,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbcl msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1927,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1928,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1929,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1930,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1931,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1932,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1933,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1934,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1935,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1936,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1937,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1938,10/24/2020,demcast wtpsenate wtpblue wtpbiden blm msnbclive msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1939,10/24/2020,democratic strategist james carville says that joe biden has to win the election by more than five points because otherwise it will be 'stolen'. so votebidenharris and votehimout   bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,0,-0.3\r\n1940,10/24/2020,democrats are better for the economy than republicans. pass it on. biden democrats vote dumptrump,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1941,10/24/2020,despite the bad press the fbi has gotten over the last few years i\xe2\x80\x99m very confident their work will play out to the end. i\xe2\x80\x99m also fairly confident after nov 3rd we won\xe2\x80\x99t hear any more about the joebiden hunterbiden controversy regardless of what they find.,United States of America,California,CA,Joe Biden,1,0.3\r\n1942,10/24/2020,disgusting. right by chicago. go vote bidenharris bidenharristosaveamerica biden,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n1943,10/24/2020,do trump supporters see no irony in the fact that their biggest criticism of his opponent is that biden's family members may have tried to profit by capitalising on their family name,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1944,10/24/2020,do you remember the time that joebiden attacked israel's prime minister and threatened to cut off aid to israel,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n1945,10/24/2020,do you voted for biden,United States of America,New York,NY,Joe Biden,2,0\r\n1946,10/24/2020,donald trump hasn\xe2\x80\x99t done a damn thing tell \xe2\x80\x98em joebiden buildbackbetter msnbc,United States of America,Michigan,MI,Joe Biden,0,-0.8\r\n1947,10/24/2020,donaldjtrumpjr joebiden was calling hecklers chumps \xe2\x80\x94 not republicans. but don\xe2\x80\x99t let facts get in the way of your bullshit junior.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1948,10/24/2020,donaldtrump joebiden elections uselection2020 uselection votingmatters voting electiontime presidentialelection teachers,United States of America,California,CA,Joe Biden,0,-0.1\r\n1949,10/24/2020,done joebiden voteearlyday,United States of America,California,CA,Joe Biden,1,0.1\r\n1950,10/24/2020,dumbass joebiden jobs gasprice workingpoor middleclass bidencares blacktwitter pennsylvania,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n1951,10/24/2020,early voting in nyc for the first time biden/harris,United States of America,New York,NY,Joe Biden,1,0.3\r\n1952,10/24/2020,eat that realdonaldtrump ... look at our ghost town shinning bright like a diamond for joebiden,United States of America,New York,NY,Joe Biden,1,0.1\r\n1953,10/24/2020,election2020 since the united kingdom left the european union due to brexit joebiden has a significant track record on foreign policy first as a united states senator from delaware and as vp under barackobama and it'll be added if biden becomes the 46th potus.,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1954,10/24/2020,ep. 1376 trump didn\xe2\x80\x99t just win the debate he destroyed biden - the dan ...  via youtube dbongino rudygiuliani greennewdeal chriswallace biden moderator sheeple fracking lockdowns dontwork democats 1619 project crookedjoebiden maga,United States of America,California,CA,Joe Biden,0,-0.6\r\n1955,10/24/2020,episode 8  bshowbrian iamjondraper breaktheap comedypodcast trump biden debate fuckery wtf podcast,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n1956,10/24/2020,especiallyfemale am a daughter of the american revolution w 12 patriot ancestors including samuel who signed the declaration jedediah who served as brigadier general under george washington &amp; jacob broom who signed the constitution we *founded* gop in ca we voted joebiden,United States of America,Oregon,OR,Joe Biden,0,-0.1\r\n1957,10/24/2020,families need a president like joebiden,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1958,10/24/2020,former hunterbiden business partner tonybobulinski says that he met former vp joebiden in may 2017 and spent 1 hour discussing a deal with a chinese energy conglomerate and the bidenfamily history.,United States of America,New York,NY,Joe Biden,1,0.1\r\n1959,10/24/2020,foxnews biden is a threat to america. period.,United States of America,Nevada,NV,Joe Biden,0,-0.4\r\n1960,10/24/2020,from michigan to texas florida utah newmexico arizona and nevada my familia est\xc3\xa1 votando this election is too important to our family. join us in voting \xf0\x9f\x92\x99 voteearly\xc2\xa0 vota\xc2\xa0 voyavotar elections2020\xc2\xa0 joebiden,United States of America,Arizona,AZ,Joe Biden,0,-0.1\r\n1961,10/24/2020,fundstrat no it\xe2\x80\x99s not. but biden doesn\xe2\x80\x99t even know what day of the week it is. how would he know about this point. he\xe2\x80\x99s never held a real job he\xe2\x80\x99s lived off foreign sources and the us taxpayer for 47 years.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1962,10/24/2020,go buy a biden bag and help support beautiful artists and incredible humans like rick. also go vote for a healthier future for rick and the rest of america,United States of America,Washington,WA,Joe Biden,1,0.8\r\n1963,10/24/2020,god almighty potus44 barackobama is an amazing speaker he is so damn good at inspiring the world with the passion in his words he is a gift to this world i want to be like him bidenharrislandslide2020 biden bidenharris2020 bidenharristosaveamerica michelleobama,United States of America,District of Columbia,DC,Joe Biden,1,0.9\r\n1964,10/24/2020,gop realdonaldtrump wrong. it\xe2\x80\x99s a choice between a human being biden and a clueless incompetent monster trump with blood on his hands. trumpislosing,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n1965,10/24/2020,gop whitehouse potus realdonaldtrump foxnews pennsylvaniafortrump florida vote voteearlyday voteearly vote2020 presidentialelection2020 gop thedemocrats democrats ohiofortrump ohio texas trump biden mike_pence vp usa kag votetrump votered fourmoreyears,United States of America,Wyoming,WY,Joe Biden,2,0\r\n1966,10/24/2020,ha among my favorite screaming \xe2\x80\x9ci\xe2\x80\x99m an uniformed moron\xe2\x80\x9d rhetorical devices \xe2\x80\x9cmy friend has a friend who once spent 3 days in a socialist country and he told my friend who told me they all looked just like biden\xe2\x80\x9d well said well said.,United States of America,New York,NY,Joe Biden,2,0\r\n1967,10/24/2020,he is the chinese communist sent secretary general for america. vote for biden if you have no common sense. biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1968,10/24/2020,headed to the polls this morning to cast my vote for joebiden. the choice could not be clearer. joe is a man of integrity honor intelligence experience. he wants to unite us and bring us to prosperity and security. protect the environment. respect the military. equality.,United States of America,New York,NY,Joe Biden,1,0.3\r\n1969,10/24/2020,hey cnn how about you stop showing trump's idiotic statements trying to make joebiden look bad i know you want ratings but we will not survive another 4 years of this nightmare.,United States of America,District of Columbia,DC,Joe Biden,0,-0.9\r\n1970,10/24/2020,hi joy reid you are doing a great job.  i voted early in ohio for joebiden and kamalaharris and  i voted blue up and down the ballot.  thereidout joyannreid amjoyshow,United States of America,Ohio,OH,Joe Biden,1,0.4\r\n1971,10/24/2020,how long until joebiden says why am i not ahead by 50 points,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1972,10/24/2020,how much wood could a woodchuck chuck if a woodchuck could chuck vote on november 3rd to save our country. election2020 joebiden kamalaharris electionday elections2020 vote,United States of America,Ohio,OH,Joe Biden,2,0\r\n1973,10/24/2020,hunter\xc2\xa0biden\xe2\x80\x99s\xc2\xa0loan\xc2\xa0agreement\xc2\xa0\xe2\x80\x93\xc2\xa0amendment\xc2\xa0no.\xc2\xa01\xc2\xa0to\xc2\xa0the\xc2\xa0loan\xc2\xa0agreement\xc2\xa0dated\xc2\xa0june\xc2\xa030\xc2\xa02017. maga maga2020landslidevictory kag kag2020 bidenharris2020 biden hunterbiden,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1974,10/24/2020,i already voted for biden. i hope you join me. votebiden vote votebluedownballot,United States of America,California,CA,Joe Biden,1,0.3\r\n1975,10/24/2020,i bet you were willing to prostitute yourself joebiden now that you\xe2\x80\x99re well past 40 your desperation must have increased 100 times more. trump2020 joebiden joebiden20never crookedjoebiden debates2020 republicans democratsarecorrupt trumppence2020,United States of America,California,CA,Joe Biden,0,-0.2\r\n1976,10/24/2020,i can not believe that we have actually paid biden and pelosi salary all this time and they don\xe2\x80\x99t even want to help the american people. get the hell out,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n1977,10/24/2020,i cannot believe in 2020 people still fell for boratsagdiyev and the tricks  for god sake please vote for joebiden  election2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n1978,10/24/2020,i hope he voted for joebiden too trumpispathetic bidenharris2020landslide,United States of America,Georgia,GA,Joe Biden,2,0\r\n1979,10/24/2020,i voted for biden voteearly votebluedownballot vote votelikeyourlifedependsonit,United States of America,California,CA,Joe Biden,1,0.1\r\n1980,10/24/2020,i voted for biden. i am not a democrat and i do not support many liberal policies. however trump empowers the people filled with hate and people who don't value education. no one will ever be able to say i sat around and let trump get 8 years w/out a fight.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1981,10/24/2020,i voted \xf0\x9f\xa5\xb0 joebiden,United States of America,Texas,TX,Joe Biden,1,0.4\r\n1982,10/24/2020,i want to give a shout out to kayla in wisconsin. she is an undecided voter and was very nice to me during my phone bank. made me feel accomplished after all the mean trump voters i got and the hang ups phonebanking joebiden elections2020,United States of America,California,CA,Joe Biden,1,0.8\r\n1983,10/24/2020,i won\xe2\x80\x99t pretend trump is a cuddly teddy bear but why are we pretending biden is such a nice guy buttigieg and booker are nice guys albeit wrong but seemingly worthy of character ribbons. not biden. pick something else to tout. election2020,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1984,10/24/2020,if theelectionisseverelyfraudulent trump won't nukeparchin in 8 days which'd postponethedeathsoftensofthousandsofpeople hodakatebi. i'm not saying that postponing is good. if theelectionislegit by delaying he might firehimself he wants biden to try to fight jesus,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1985,10/24/2020,if trump wins he will push pence out and select ivanka- then he can step down and she will be president and can then pardon him &amp; her family of all their crimes. if ya doesn't think this could happen you are not paying attention trump said harris wont be 1st female potus biden,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n1986,10/24/2020,if you truly believe that everything that\xe2\x80\x99s going on with the biden\xe2\x80\x99s is 100% a scandal\xe2\x80\xa6 and they\xe2\x80\x99re a good honest wholesome  american family\xe2\x80\xa6 you\xe2\x80\x99re clinically insane and need to stay away from the polling places.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1987,10/24/2020,if you\xe2\x80\x99re supporting trump or biden you\xe2\x80\x99re in bed with the new world order.,United States of America,California,CA,Joe Biden,0,-0.2\r\n1988,10/24/2020,if you\xe2\x80\x99ve heard one biden speech you\xe2\x80\x99ve heard em all.,United States of America,Nevada,NV,Joe Biden,0,-0.2\r\n1989,10/24/2020,impossible to make this point too often before or after the election. biden will not stop fascism and may even promote its growth more effectively than trump.,United States of America,Mississippi,MS,Joe Biden,0,-0.3\r\n1990,10/24/2020,in the last episode the grifter goes to prison.  bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,2,0\r\n1991,10/24/2020,in this election former rnc chair and a lifelong republican michael steele is voting to restore the soul of our nation. he's voting for joe biden.   bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,1,0.3\r\n1992,10/24/2020,iowanatguard dipolitics iowafarmertoday iowa_family greenfield biden,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n1993,10/24/2020,it'll be interesting to see how many people in miami go to a biden campaign rally for communism hosted by a marxist.,United States of America,New York,NY,Joe Biden,1,0.5\r\n1994,10/24/2020,i\xe2\x80\x99m a proud lincolnvoter\xf0\x9f\x8f\xb4\xe2\x80\x8d\xe2\x98\xa0\xef\xb8\x8f i even got my democrat hubby to vote republican in 2016. we have righted that wrong today. voting against every republican on the ticket was glorious earlyvotingday ichooseamerica joebiden,United States of America,Florida,FL,Joe Biden,2,0\r\n1995,10/24/2020,i\xe2\x80\x99m voting for biden warner &amp; spanberger and yesona1 in va to restore and protect our democracy. like a million other virginians i requested an absentee ballot and will be turning it in this week finally votersof2020 turnoutpac,United States of America,Virginia,VA,Joe Biden,2,0\r\n1996,10/24/2020,jackposobiec the difference is that realdonaldtrump is a sociopath a personality disorder one is born with no cure. which means he will never have empathy or compassion. at least biden was born with a soul. this is not about politics but saving our children from evil,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n1997,10/24/2020,jackposobiec with biden having raised $.75b he has plenty to pay the barackobama speaking fee.,United States of America,Georgia,GA,Joe Biden,2,0\r\n1998,10/24/2020,jasonmillerindc car rallies because obama and joebiden actually care about the people of the united states. trump likes to pack people in places w/o masks because he only cares about himself. deathrallies covidiots,United States of America,Illinois,IL,Joe Biden,2,0\r\n1999,10/24/2020,jasonpagona donaldjtrumpjr you choose to believe the chrump lies &amp; so you're here believing that joebiden was disparaging your father when it's obvious to all of us who are *not* chrump supporters that biden was talking about hecklers in the crowd with a microphone. wake up already it's not that hard,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n0,10/24/2020,jennifer aniston urges fans to vote for joe biden and kamala harris in the 2020 us presidential election   jenniferaniston joebiden,United States of America,California,CA,Joe Biden,1,0.4\r\n1,10/24/2020,jenniferjjacobs note i\xe2\x80\x99ve read that biden also supports federal recognition of the lumbee.,United States of America,North Carolina,NC,Joe Biden,2,0\r\n2,10/24/2020,joe doesn\xe2\x80\x99t need to be the center of attention or see himself on television. biden2020 joebiden bidenharris election2020 electionday,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n3,10/24/2020,joe on pod save america biden podcastrecommendations,United States of America,Texas,TX,Joe Biden,1,0.2\r\n4,10/24/2020,joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n5,10/24/2020,joebiden,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n6,10/24/2020,joebiden &amp; barackobama started the policy of separating children from their parents in 2014.,United States of America,Washington,WA,Joe Biden,0,-0.5\r\n7,10/24/2020,joebiden 10 days till realdonaldtrump is re-elected as potus and joebiden losing his campaign bid for president.,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n8,10/24/2020,joebiden bidenharris2020 votehimoutandlockhimup trumpcrimefamily bidenharristosaveamerica,United States of America,California,CA,Joe Biden,1,0.3\r\n9,10/24/2020,joebiden calling trump supporters chumps. hillary called trump supporters deplorables. biden insists that blacks who don't vote for him aren't black. joebidenisaracist - we'll see if the strategy will work. we know if didn't for hillary. \xf0\x9f\xa4\xb7\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f trump2020tosaveamerica trump2020,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n10,10/24/2020,joebiden democats demonrats think abour this you bunch of hypocrites and dumb bastards...,United States of America,Florida,FL,Joe Biden,0,-0.9\r\n11,10/24/2020,joebiden hates america,United States of America,Arizona,AZ,Joe Biden,0,-0.7\r\n12,10/24/2020,joebiden is a liar who evidently doesn\xe2\x80\x99t think there is an archive of his statements on the internet.,United States of America,Georgia,GA,Joe Biden,0,-0.9\r\n13,10/24/2020,joebiden is a liar.,United States of America,Arizona,AZ,Joe Biden,0,-0.9\r\n14,10/24/2020,joebiden is a \xf0\x9f\x8d\xa9,United States of America,Colorado,CO,Joe Biden,1,0.2\r\n15,10/24/2020,joebiden is for ending our gas industry our fracking industry and for taking high paying much needed jobs away from us. don't give biden a chance to change us to socialism vote trump2020 for america and it's future votered,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n16,10/24/2020,joebiden is like angry old grandpa that you let out of the back bedroom for an hour at thanksgiving. trump is like your best friend that you invite to every party to bring the fun energy,United States of America,Florida,FL,Joe Biden,2,0\r\n17,10/24/2020,joebiden is more crooked than crookedhillary. tcot trump2020 maga,United States of America,New York,NY,Joe Biden,0,-0.2\r\n18,10/24/2020,joebiden is strong  kicking trump\xe2\x80\x99s butt with this speech  bidenpa biden pennsylvania votebluetosaveamerica bidenharrislandslide2020,United States of America,California,CA,Joe Biden,2,0\r\n19,10/24/2020,joebiden it is inmaterial whether or not scotus rules against aca. no one has to pay for any of the vaccines against covid. sign an executive order making any and all vaccines against covid-19 free of charge to anyone who wants it. don't imitate trump you are not a victim,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n20,10/24/2020,joebiden just ordered my bag. thank you rick biden,United States of America,New York,NY,Joe Biden,1,0.4\r\n21,10/24/2020,joebiden was not raised with my middle class values. most important values you don't lie cheat and steal,United States of America,Nevada,NV,Joe Biden,0,-0.1\r\n22,10/24/2020,joebiden who built the cages joebiden who...built...the...cages,United States of America,Washington,WA,Joe Biden,0,-0.2\r\n23,10/24/2020,joenbc nonsense.  we need votes for real living people in order to beat donald trump.  get a grip republicans hold your perfect noses and vote for joebiden,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n24,10/24/2020,joetalkshow realdonaldtrump sorry - but fossil fuels are not the future.  and while maga lives 100 years ago other countries namely china are overtaking us in new energy and products that use that new energy like electric cars etc..  so yes joebiden is right. by 2050 the world will be very different.,United States of America,New York,NY,Joe Biden,0,-0.1\r\n25,10/24/2020,jonathanturley not at all bizarre. biden is a pathological liar.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n26,10/24/2020,just cause you don\xe2\x80\x99t want to believe it doesn\xe2\x80\x99t make it go away. laptopfromhell whereshunter chumpsfortrump maga2020landslidevictory democratsaredestroyingamerica crookedjoebiden bidencrimefamiily joebiden,United States of America,California,CA,Joe Biden,0,-0.1\r\n27,10/24/2020,just dropped off my ballot \xf0\x9f\x91\x8d\xf0\x9f\x8f\xbc\xf0\x9f\x93\xa8\xf0\x9f\x92\x99 bidenharris2020 vote acvote 2020election bluewave democrat votefordemocracy bidenharristosaveamerica votelikeyourlifedependsonit rockthevote biden trumpispathetic trumpisacoward,United States of America,California,CA,Joe Biden,0,-0.1\r\n28,10/24/2020,just going to put this out there. - according to forbes  \xe2\x80\x9cjimmy john liautaud who founded the sandwich chain jimmy john\xe2\x80\x99s gave $108000 to trump victory.\xe2\x80\x9d elections joebiden,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n29,10/24/2020,just like biden said \xe2\x80\x9cif you don\xe2\x80\x99t vote for me you ain\xe2\x80\x99t black\xe2\x80\x9d.  omg what a insult to dr king who i have the utmost respect,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n30,10/24/2020,just voted voteearlyday joebiden,United States of America,Texas,TX,Joe Biden,1,0.2\r\n31,10/24/2020,justinqtaylor stevesingiser well said it\xe2\x80\x99s mostly this. couple outlying outlying at time announced biden roll off a couple of polls from shops with pronounced r leans roll in. i want the biden margin as wide as possible. assume nothing. but provided he stays over 50 w at least 5% lead no panic here,United States of America,New York,NY,Joe Biden,2,0\r\n32,10/24/2020,keep up with the memes blacklivesmatter joebiden kamalaharris,United States of America,California,CA,Joe Biden,1,0.5\r\n33,10/24/2020,kellyannepolls trumpwarroom joebiden let\xe2\x80\x99s get this right biden says he will work hard for people who don\xe2\x80\x99t support him something trump did and will never say and do biden aims at uniting people and he will be the president for all why don\xe2\x80\x99t you say a word for trump\xe2\x80\x99s ongoing divisive rhetoric for 4 yrs,United States of America,California,CA,Joe Biden,0,-0.7\r\n34,10/24/2020,kindness and empathy ivoted joebiden kamalaharris bidenharris2020landslide latinosforbiden,United States of America,Florida,FL,Joe Biden,1,0.8\r\n35,10/24/2020,knolesmichael well trump is spinning the oil position to win pennsylvania. having said that fossilfuels is not the future and other countries namely china is overtaking us in grabbing the future. joebiden is right over time but donaldtrump is amazing at spin and slander. maga2020,United States of America,New York,NY,Joe Biden,2,0\r\n36,10/24/2020,ktla the first nest is in delaware ... visit joebiden for details,United States of America,Nevada,NV,Joe Biden,1,0.1\r\n37,10/24/2020,la migraci\xc3\xb3n un tema simb\xc3\xb3lico entre biden y trump -  evnews migrantes elecciones2020 eeuu donaldtrump joebiden,United States of America,Florida,FL,Joe Biden,1,0.2\r\n38,10/24/2020,la migraci\xc3\xb3n un tema simb\xc3\xb3lico entre biden y trump -  evnews migrantes elecciones2020 eeuu donaldtrump joebiden,United States of America,Florida,FL,Joe Biden,1,0.2\r\n39,10/24/2020,let\xe2\x80\x99s all buildbackbetter with biden,United States of America,North Carolina,NC,Joe Biden,2,0\r\n40,10/24/2020,liberalgoddess makes me want to vote for joebiden even more. does hunter like animals men women all excellent. joe has my vote.,United States of America,Massachusetts,MA,Joe Biden,1,0.7\r\n41,10/24/2020,lizzo campaigns for joe biden in moving speech i don't wanna go back to the way it was,United States of America,New York,NY,Joe Biden,0,-0.4\r\n42,10/24/2020,locust_god he knows what he wants and he knows that the billionaire-owned serial-plagiarist cop-loving incarcerating segregationist imperialist demented rapist pathological liar biden will give it to him. what is truly ridiculous is trusting any promise from biden to do anything good.,United States of America,Mississippi,MS,Joe Biden,0,-0.5\r\n43,10/24/2020,looking for volunteers in the area of winston-salem nc  who want to gotv for joebiden,United States of America,California,CA,Joe Biden,2,0\r\n44,10/24/2020,magsbitchs techstoa thank you so much for your vote. biden,United States of America,New York,NY,Joe Biden,1,0.6\r\n45,10/24/2020,marklevinshow realdonaldtrump good points. but with biden the need for a new way is acknowledged,United States of America,Texas,TX,Joe Biden,1,0.3\r\n46,10/24/2020,mask on \xf0\x9f\x98\xb7 joebiden jonbonjovi,United States of America,Florida,FL,Joe Biden,2,0\r\n47,10/24/2020,millions and millions of americans are going to vote for one of the greatest lying politicians of our lifetime. bidencares joebiden joebiden2020,United States of America,California,CA,Joe Biden,0,-0.2\r\n48,10/24/2020,most excellent. all youse still deciding who to vote for better read this. election trump biden,United States of America,Maryland,MD,Joe Biden,1,0.1\r\n49,10/24/2020,msnbc feministabulous here's hunterbiden for the ones who's been asking for him.\xf0\x9f\x98\x82 l\xe2\x9d\xa4ve it. votebidenharris2020 joebiden bidenforfl,United States of America,Florida,FL,Joe Biden,1,0.5\r\n50,10/24/2020,msnbc feministabulous keep ticking the trumpsupporters off with this one. i'm sure their blood is boiling. \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 votehimout joebiden  floridaforbiden election2020,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n51,10/24/2020,mtnmama14 bryandeanwright donaldjtrumpjr the obama administration which included joebiden of course quite markedly favored ukraine over russia in the dispute over crimea.,United States of America,California,CA,Joe Biden,0,-0.1\r\n52,10/24/2020,nbcchicago that looks like a scene from delaware ... the nest is at joebiden's place,United States of America,Nevada,NV,Joe Biden,1,0.1\r\n53,10/24/2020,no one is going to try and stop being a millionaire because they would have to pay more taxes as a rich person. facts biden trump,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n54,10/24/2020,november 3 poll choice between super recovery and joe biden depression donald trump,United States of America,California,CA,Joe Biden,1,0.1\r\n55,10/24/2020,now this is a brave reporter. he challenges his fellow reporters to check the work. long read but it\xe2\x80\x99s documented....all of it. biden,United States of America,Virginia,VA,Joe Biden,1,0.4\r\n56,10/24/2020,oh please don't ask me about fracking fossil fuels or where's hunter\xf0\x9f\x98\x95 i have to listen to the socialists.  joe biden the big guy.  and where is hunter wake up usa  \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 teamtrump realdonaldtrump trumpwarroom potuspresspool potus vote biden debatetonight debates2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n57,10/24/2020,outofcontexandironic bidenharris2020 joebiden vote voteblue2020 votehimout ivoted ivotedearly dumptrump trumpisaracist trumpisarapist blm blacklivesmatter,United States of America,Texas,TX,Joe Biden,1,0.2\r\n58,10/24/2020,pa biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb saturdayvibes saturdaysocial cnn msnbc,United States of America,New York,NY,Joe Biden,2,0\r\n59,10/24/2020,pennsylvania joebiden vote,United States of America,Texas,TX,Joe Biden,1,0.2\r\n60,10/24/2020,periodt vote vote2020 joebiden bidenharris2020 mcflysays kamalaharris donaldtrump  newark new jersey,United States of America,New Jersey,NJ,Joe Biden,1,0.1\r\n61,10/24/2020,pgrullion he's sneering with justified contempt at idiots who think biden and harris will stop fascism.,United States of America,Mississippi,MS,Joe Biden,0,-0.9\r\n62,10/24/2020,please vote for bidenharris2020 joebiden kamalaharris voteearlyday voteearly vote2020,United States of America,New York,NY,Joe Biden,2,0\r\n63,10/24/2020,politics can change laws but the living jesus can heal human hearts from the inside out. my hope is in him. political politicslive politicstoday election2020 electionday debate debatetonight debates2020 presidentialelection trump biden jesus2020 kingdomofgod,United States of America,Tennessee,TN,Joe Biden,0,-0.1\r\n64,10/24/2020,president obama shows you how to vote by mail in the 2020 election.   bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,1,0.1\r\n65,10/24/2020,pressure continues to bigly build on 45 majority of voters say biden won second debate poll finds,United States of America,Puerto Rico,PR,Joe Biden,0,-0.4\r\n66,10/24/2020,projectlincoln please make it stop please.  vote joebiden.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n67,10/24/2020,pt35mm bostondotcom with a vanity fair source lol. biden is supporting ilhanomar supports hamas hezbollah and wants to start relationships with iran. antisemitism is embedded in the democrat party,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n68,10/24/2020,questions joe biden hasn't yet answered about hunter biden controversy  hunterbiden hunterbidenemails hunterbidenlaptop hunterbidenslaptop hunterbidenpedo joebiden,United States of America,California,CA,Joe Biden,0,-0.5\r\n69,10/24/2020,quinnipiac poll biden\xe2\x80\x99s lead dropping because it never existed,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n70,10/24/2020,radiofreetom we\xe2\x80\x99ve been bidenharris2020 sign &amp; flag waving every sat. for many weeks in the same location in palm harbor florida today trump cult wacko\xe2\x80\x99s parked a truck in the middle of our group. they used their kids as shields as they yelled vile things about biden in megaphones.,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n71,10/24/2020,realdonaldtrump america cannot elect joebiden who is either too ignorant or too far down the track of mental impairment to believe that a country with 330 million people and growing thanks to democrat support for ever-more immigration can cease using fossil fuels. trump2020landslidevictory,United States of America,California,CA,Joe Biden,0,-0.1\r\n72,10/24/2020,realdonaldtrump another vote for biden &amp; harris.,United States of America,Texas,TX,Joe Biden,1,0.1\r\n73,10/24/2020,realdonaldtrump breitbartnews wisconsin is lost to you so you can stop lying about biden trumpispathetic and trumpliespeopledie,United States of America,California,CA,Joe Biden,0,-0.8\r\n74,10/24/2020,realdonaldtrump by mail  joebiden has my vote,United States of America,California,CA,Joe Biden,1,0.2\r\n75,10/24/2020,realdonaldtrump did you votebymail votebymail2020 \xf0\x9f\xa4\x94\xf0\x9f\x99\x84biden harris bidenharris bidenharrislandslide2020  \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Joe Biden,1,0.1\r\n76,10/24/2020,realdonaldtrump i think those %\xe2\x80\x99s are not for the winner but the loser 89% say trump lost whereas 11% say biden lost which also says biden won. presidentialdebate politics election2020,United States of America,New York,NY,Joe Biden,0,-0.5\r\n77,10/24/2020,realdonaldtrump joebiden  joebidenforpresident2020 bidenharris2020,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n78,10/24/2020,realdonaldtrump make it great again elect joe biden bidencares joebiden,United States of America,Texas,TX,Joe Biden,2,0\r\n79,10/24/2020,realdonaldtrump oh donny that's what your people tell you so you don't have a tantrum. everyone around you lies to you to keep you happy. you can't handle the truth....but you know you're losing. walls are closing in. you don't look well donny boy. the blue wave is coming...bluewave biden,United States of America,New York,NY,Joe Biden,0,-0.5\r\n80,10/24/2020,realdonaldtrump treats his wives and mistresses the same as his businesses. they\xe2\x80\x99re all financed properties. trump womensrights biden votehimout,United States of America,Oregon,OR,Joe Biden,2,0\r\n81,10/24/2020,realdonaldtrump until someone is \xe2\x80\x9cunfair\xe2\x80\x9d to you then you wine and pout like the big baby you are and storm out... waaahhhhhhhh trumpmeltdown trumpispathetic trumpisnotwell bidenharris2020 joebiden bidenforpresident bidenwillwin trumpisanationaldisgrace trumpisaloser,United States of America,California,CA,Joe Biden,0,-0.6\r\n82,10/24/2020,realmusic rawthoughtsiv chriswebby youtube newmusic musicvideo musicislife music facts trump biden democats republican republicans truth,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n83,10/24/2020,reasons to vote for joe  biden2020 joebiden biden vote,United States of America,Florida,FL,Joe Biden,1,0.3\r\n84,10/24/2020,reid says biden should end senate filibuster after 3 weeks,United States of America,California,CA,Joe Biden,0,-0.4\r\n85,10/24/2020,repadamschiff tre45on abomination disgusts me i am so proud you are my congressman adamschiff and i get to vote for you joebiden kamalaharris &amp; all down ballot dems you are a patriot ca28 vote ivoted voteready voteearly,United States of America,California,CA,Joe Biden,1,0.8\r\n86,10/24/2020,repclayhiggins wait so she knows joebiden will win heck yeah,United States of America,Georgia,GA,Joe Biden,1,0.7\r\n87,10/24/2020,resisting arrest has be come a death  sentence barackobama barackobama joebiden obamamalik joebiden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n88,10/24/2020,reuters biden = boughtandpaidfor = corruption = bad = chinajoe,United States of America,Nevada,NV,Joe Biden,0,-0.8\r\n89,10/24/2020,rickschaler watching jill biden introduce ...  she can actually speak vs. china joe rambling mumble.   makes clear  just how mentally and physically compromised china joe is .  let alone his fraud payolla comprise.   i thin new name compromised joe biden chinajoe bidenfraud,United States of America,Texas,TX,Joe Biden,2,0\r\n90,10/24/2020,rubinreport hah every time biden turned profile in the debate the hair sticking out on the back was making me crazy. joebiden could have used a little snip-snip. \xf0\x9f\x98\x84,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n91,10/24/2020,saturdaythoughts saturday saturdaynight biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb crook,United States of America,New York,NY,Joe Biden,0,-0.5\r\n92,10/24/2020,savannah guthrie to trump 'you're the president not someone's crazy uncle'  bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,0,-0.8\r\n93,10/24/2020,scaryfoxx locust_god believing that spencer and biden mean the evil things they say makes sense. trusting promises to do good from biden does not.,United States of America,Mississippi,MS,Joe Biden,0,-0.7\r\n94,10/24/2020,seandgoldstein bostondotcom i can send you a video of every racist remark youaintblack biden made. i can send you a video of all the antisemitism and jew hatred by the democrat party that is backing cair related to hamas and are supporting ilhanomar within their party.,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n95,10/24/2020,seen the latest biden rallies,United States of America,Florida,FL,Joe Biden,2,0\r\n96,10/24/2020,seniorsforbiden this is a sensanders ad on joebiden on tape promising to cut your socialsecurity and medicare. election2020,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n97,10/24/2020,seriously y\xe2\x80\x99all.  joebiden is on fire in pennsylvania right now   it\xe2\x80\x99s fire.  vote voteearlyday votehimout2020 vote2020 2020election bidencoalition biden bidenharris2020 bidenharristosaveamerica,United States of America,California,CA,Joe Biden,2,0\r\n98,10/24/2020,shot down. 11days bidenharris2020 biden trumpispathetic votelikeyourlifedependsonit votehimout dumptrump,United States of America,Colorado,CO,Joe Biden,0,-0.1\r\n99,10/24/2020,smackdown 1yearofwemadeit aflgf familiesforbiden trumpmeltdown trump bidenemails biden americafirst america stock,United States of America,New York,NY,Joe Biden,2,0\r\n100,10/24/2020,so 50cent says he's leaving the country if joebiden  wins; instead of helping us through the struggle that would follow. embarrassed i ever even bobbed my head to his track let alone shook his hand once. he taking any less fortunates with him i'm now pretty sure he wouldn't.,United States of America,Michigan,MI,Joe Biden,0,-0.7\r\n101,10/24/2020,so berniesanders you'll keep fighting after electing biden who as pres isn't a dictator &amp; you think will be more amenable to progressive change from dem congress. but it's joe &amp; dems who brag about *opposing* &amp; *defeating* your program.,United States of America,New York,NY,Joe Biden,0,-0.5\r\n102,10/24/2020,so many have already voted for joebiden lol,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n103,10/24/2020,socialsecurity biden liar,United States of America,New York,NY,Joe Biden,0,-0.5\r\n104,10/24/2020,sometimes it almost seems as if trump is trying to infect as many people as possible so biden will have to deal with it when he wins.,United States of America,Nevada,NV,Joe Biden,0,-0.8\r\n105,10/24/2020,sorry dems and joebiden but donaldjtrump is going to win the 2020election. stock up on tissues while you can because after the election y\xe2\x80\x99all are going to need them if the response to the last election is any indication. trump2020 maga kag trumptrain,United States of America,Texas,TX,Joe Biden,2,0\r\n106,10/24/2020,spotted while running some errands. there\xe2\x80\x99s a biden car parade in oro valley this afternoon.,United States of America,Arizona,AZ,Joe Biden,2,0\r\n107,10/24/2020,sternergulch tyinspires from houston harris county has turned in over 1 million ballots please talk to someone else cause you speaking to the wrong person. my dad is a retired oil executive so you can miss me. whole family voted biden along with a lot of other houstonians. not single issue voters,United States of America,California,CA,Joe Biden,0,-0.3\r\n108,10/24/2020,surprised we haven't seen this concept previously ~~&gt; joebiden is trolling donald trump with a website detailing the president's plan to tackle the covid19 pandemic.,United States of America,Indiana,IN,Joe Biden,0,-0.6\r\n109,10/24/2020,thank you wallst for contributing so much to biden on election2020 ...,United States of America,California,CA,Joe Biden,1,0.9\r\n110,10/24/2020,the debate last night tho \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f joebiden you a true american my dude \xf0\x9f\xa4\x9e\xf0\x9f\x8f\xbe\xf0\x9f\xa4\x9e\xf0\x9f\x8f\xbe donaldtrump your trash lil ugly i wanted to reach in tv and slap the toupee off yo head,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n111,10/24/2020,the democrats member military aggression towards russia obama biden,United States of America,Washington,WA,Joe Biden,0,-0.5\r\n112,10/24/2020,the laws governing presidential pardons must be changed codified and clarified. biden,United States of America,Nevada,NV,Joe Biden,2,0\r\n113,10/24/2020,the wall street journal goes after hunter and the corrupt bidens biden bidencrimefamiily hunterbiden hunter hunterbidenlaptop hunterbidenemails,United States of America,New York,NY,Joe Biden,0,-0.5\r\n114,10/24/2020,the web of corruption doesn\xe2\x80\x99t just end with the biden family... chriscuomo\xe2\x81\xa9 \xe2\x81\xa6cuomoprimetime\xe2\x81\xa9 \xe2\x81\xa6cnnbrk\xe2\x81\xa9 \xe2\x81\xa6cnn\xe2\x81\xa9 \xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 \xe2\x81\xa6realjameswoods\xe2\x81\xa9 ny newyork hunter biden breaking,United States of America,New York,NY,Joe Biden,0,-0.4\r\n115,10/24/2020,the worst government ever they only care about your vote they will take your job away and not pass a stimulus package to help you and still want your vote... you know who you are mitchmcconnell nancypelosi joebiden donaldtrump these losers need to go,United States of America,New Jersey,NJ,Joe Biden,0,-0.8\r\n116,10/24/2020,thehill biden says \xe2\x80\x9ci am going to be the president for all americans...even those chumps with the microphones \xf0\x9f\x8e\xa4 \xe2\x80\x9c. that\xe2\x80\x99s not mixed messaging at all,United States of America,Maryland,MD,Joe Biden,0,-0.5\r\n117,10/24/2020,thehill joebiden is being vague because even he doesn\xe2\x80\x99t know what his leftist overlords have planned after they shove him aside.,United States of America,Virginia,VA,Joe Biden,0,-0.8\r\n118,10/24/2020,therecount i know this woman has said she will vote for joebiden but i still love the idea that it\xe2\x80\x99s allisonbjanney in costume &amp; she is there to punk the donald.,United States of America,Texas,TX,Joe Biden,1,0.6\r\n119,10/24/2020,this article provides revealing insights.... blm vote election2020 maga resist trump biden politics blacktwitter,United States of America,Florida,FL,Joe Biden,2,0\r\n120,10/24/2020,this guy is awesome.. schooling prochoice catholics like joebiden.. \xe2\x80\x9cit\xe2\x80\x99s never as good as it looks.. they are going to do a little genocide.\xe2\x80\x9d prolife election2020,United States of America,California,CA,Joe Biden,2,0\r\n121,10/24/2020,this is an excellent thread the joebiden campaign should do likewise. tweet what biden &amp; obama did during their 8 years in office so voters can compare.,United States of America,California,CA,Joe Biden,1,0.4\r\n122,10/24/2020,this is grandaughter gabrelia. watching today's rally who's that our next potus joebiden. is he the kind guy or mean guy  voteearlyday for the kind guy,United States of America,Ohio,OH,Joe Biden,2,0\r\n123,10/24/2020,this is the line for earlyvoting at my nyc polling place. joebiden will carry these precincts by about 9-1. it is great to see so many people who want to vote but america must make this process more fair quick and easy.,United States of America,New York,NY,Joe Biden,1,0.1\r\n124,10/24/2020,this is what we need  younger people voting  voteearlyday voteearly joebiden votebluetoendthisnightmare,United States of America,California,CA,Joe Biden,1,0.6\r\n125,10/24/2020,this is who they are... vote democrat and you put these crazies into power biden trump walkaway,United States of America,New York,NY,Joe Biden,0,-0.6\r\n126,10/24/2020,this is who we need in the white house. empathy and understanding. and he has a plan. joebiden,United States of America,Illinois,IL,Joe Biden,1,0.4\r\n127,10/24/2020,this picture was obviously photoshopped. i\xe2\x80\x99ve never seen a joe biden sign on anyone\xe2\x80\x99s lawn have you votered trump2020 trump2020landslide joebiden bidencrimefamiily,United States of America,Nevada,NV,Joe Biden,0,-0.1\r\n128,10/24/2020,tmz you mo fo's getting desperate.. why don't you quote joebiden on racial jungles or how about his crime bill or how about just plain old evidence... cut the \xf0\x9f\x92\xa9,United States of America,California,CA,Joe Biden,0,-0.8\r\n129,10/24/2020,today\xe2\x80\x99s saturday 10/24 and joebiden had a clean up on aisle 9 8 7 6...on every aisle.,United States of America,Texas,TX,Joe Biden,1,0.2\r\n130,10/24/2020,trump  watch biden is speaking today. i bet it\xe2\x80\x99s delaware. lol,United States of America,Louisiana,LA,Joe Biden,2,0\r\n131,10/24/2020,trump and biden in the final presidentialdebate \xf0\x9f\xa4\xa3 bingo he said malarkey \xf0\x9f\x98\x82 debatetonight debatenight debates rudygiuliani borat borat2 joebiden election2020 donaldtrump presidentialdebate2020 kristenwelker trumpispathetic,United States of America,New York,NY,Joe Biden,0,-0.1\r\n132,10/24/2020,trump at the debate was like america in 2020 not winning  via newyorker debate trump biden2020 biden,United States of America,New York,NY,Joe Biden,0,-0.7\r\n133,10/24/2020,trump did not and still does not have an effective plan for handling the coronaviruspandemic here in america joebiden will have a very workable plan for dealing with the covid19pandemic on day 1\xf0\x9f\xa4\x94,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n134,10/24/2020,trump opposes free &amp; fair elections.    arizona nevada vote election2020 tucson12 tucsonstar raiders reno biden theblaze starsandstripes scj,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n135,10/24/2020,trump says republicans don't get elected when people are allowed to vote. let's prove him right.   bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,0,-0.1\r\n136,10/24/2020,trump supporters park their pickup in the middle of biden/harris sign waving at us 19 &amp; nebraska in palm harbor florida &amp; 1 of the deplorables with megaphone shouts out insanity. votebidenharris now,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n137,10/24/2020,trump-hating cnn biden was 'false misleading' during debate ac360 inners joebiden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n138,10/24/2020,trump2020 biden wwg1gwa,United States of America,Florida,FL,Joe Biden,1,0.3\r\n139,10/24/2020,trumphateswomen americaortrump ichooseamerica forourdaughters foroursons forourfuture biden,United States of America,Texas,TX,Joe Biden,1,0.4\r\n140,10/24/2020,turnout does not automatically mean votes for biden. just an fyi. bluemaga's little joys... \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,California,CA,Joe Biden,0,-0.1\r\n141,10/24/2020,uncle joe joebiden 10 days let\xe2\x80\x99s go,United States of America,California,CA,Joe Biden,2,0\r\n142,10/24/2020,under realdonaldtrump minorities have prospered bought homes and started businesses in historic numbers. under the biden and obama administration we received crappy free cell phones in record numbers.  november 3 choose wisely.  walkaway bidenharris2020 marklevinshow,United States of America,New York,NY,Joe Biden,2,0\r\n143,10/24/2020,volunteer alert today is voteearlyday and we've set an ambitious goal of reaching 10000000 voters for joebiden and kamalaharris. no regrets come election day sign up for a volunteer shift today,United States of America,Maryland,MD,Joe Biden,1,0.4\r\n144,10/24/2020,vote boom socialsecurity bernie biden,United States of America,California,CA,Joe Biden,1,0.7\r\n145,10/24/2020,vote for joe vote kamalaharris joebiden votejoe voteblue bluewave sjps,United States of America,New York,NY,Joe Biden,1,0.4\r\n146,10/24/2020,vote icecube kingjames wakeupamerica wakeup trumpisaracist that is fakenews trump biden coronavirus blacklivesmatter bidenharris2020landslide maga2020landslidevictory voteredtosaveamerica2020,United States of America,California,CA,Joe Biden,2,0\r\n147,10/24/2020,vote joebiden,United States of America,New York,NY,Joe Biden,1,0.4\r\n148,10/24/2020,vote now our country can\xe2\x80\x99t take much more without a true leader let\xe2\x80\x99s make america safe again masa joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n149,10/24/2020,vote now people. everyone voyes counts. joebiden,United States of America,California,CA,Joe Biden,1,0.2\r\n150,10/24/2020,voteearlyday  votebluetosaveamerica joebiden kamalaharris,United States of America,North Dakota,ND,Joe Biden,1,0.3\r\n151,10/24/2020,voting in bushwick. down a full block turning the corner then around another full block. i love it. let\xe2\x80\x99s vote this fucker out of office like no one has ever seen. votethemallout donaldtrump voteearlyday vote votehimout2020 voteearly bidenharrislandslide2020 joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n152,10/24/2020,we have a choice this november. it's a choice to vote for a man of character or a man without character.   americaortrump bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,2,0\r\n153,10/24/2020,we know a dictator when we see one let's not allow history to repeat itself.  bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,0,-0.2\r\n154,10/24/2020,we must demand that joebiden and fellow democrats campaign on urgent matters aside from covid-19 such as globalwarming the environment income inequality foreign wars international relations and domestic tranquility.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n155,10/24/2020,we will not allow the weakest president in our nation\xe2\x80\x99s history to crush our spirit. we will defeat this enemy too \xe2\x80\x94 and smile while doing it.  bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,0,-0.1\r\n156,10/24/2020,well i guess 1 out of 3 ain\xe2\x80\x99t bad  in baseball a .333 batting average is pretty damn sensational voteearlyday trump biden bidenharris jesus jesussaves,United States of America,New York,NY,Joe Biden,1,0.6\r\n157,10/24/2020,well joebiden kamalaharris,United States of America,California,CA,Joe Biden,1,0.4\r\n158,10/24/2020,wendy weiser of the brennan center for justice warns that president trump has made it a campaign strategy to undermine the u.s. election.  bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,0,-0.2\r\n159,10/24/2020,what a cute photo of biden and devin archer you all should share it trump2020 trump biden bidencrimefamiily,United States of America,New York,NY,Joe Biden,1,0.8\r\n160,10/24/2020,what biden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n161,10/24/2020,what if the trump presidency is just an extremely elaborate long and drawn out first episode of a punk\xe2\x80\x99d reboot like on election day ashton kutcher is going to pop out and let us know \xe2\x80\x9camerica you got punk\xe2\x80\x99d\xe2\x80\x9d trump2020 mtv ashtonkutcher 2020election biden debates2020,United States of America,Ohio,OH,Joe Biden,0,-0.4\r\n162,10/24/2020,who wants to be my 100th follower need more resist members who love to laugh at realdonaldtrump and can\xe2\x80\x99t wait for his sorry ass to be voted out in 10 days. nevertrump impotus trumpmeltdown trumpliesamericansdie notmypresident joebiden joebidensneighborhood,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n163,10/24/2020,why do we need mask anyway 99.99% is safe nothing happens \xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 decisionusa2020 joebiden \xe2\x81\xa6joebiden\xe2\x81\xa9,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n164,10/24/2020,why is ohio always a swing state we spoke to political scientist dr. suzanne marilley about the buckeye state's loyalty and dedication to place...  election2020 ohio2020 trump biden republicanparty democrats buckeyes ohio swingstate,United States of America,Ohio,OH,Joe Biden,2,0\r\n165,10/24/2020,wise words \xe2\x80\x9ca political system that repeatedly allows a minority party to control the most powerful offices in the country cannot remain legitimate for long.\xe2\x80\x9d if joebiden wins and the dems flip the senate priority 1 is to safeguard the majority rule.,United States of America,California,CA,Joe Biden,0,-0.4\r\n166,10/24/2020,wow cnn is fact checking biden. about time they woke up maga,United States of America,California,CA,Joe Biden,2,0\r\n167,10/24/2020,yay   go joebiden thevillages,United States of America,Florida,FL,Joe Biden,1,0.6\r\n168,10/24/2020,yellow gloved cardib who joebiden chose for a televised campaign interview. is this what joe and kamalaharris think of young black women wap are initials for wet a-s pus-y the title of cardib\xe2\x80\x99s video and vinyl record.,United States of America,New York,NY,Joe Biden,2,0\r\n169,10/24/2020,you better take your credit on the economy barackobama  don\xe2\x80\x99t let this racist white supremacist take credit on your sweat you build this sh*t and joebiden will rebuild it barackobama votebidenharris2020 msnbc,United States of America,Michigan,MI,Joe Biden,0,-0.8\r\n170,10/24/2020,you have to look at this and say joebiden for president. trump makes fun of people with disabilities. we\xe2\x80\x99ve seen it on his campaign.  vote blue \xf0\x9f\x8c\x8a,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n171,10/24/2020,you\xe2\x80\x99re losing donald. and the rats are laughing all the way to the bank.  bidencoalition biden demcastca demcast vote votebluedownballot trumpdance,United States of America,California,CA,Joe Biden,0,-0.3\r\n172,10/24/2020,yup we do know who you are joebiden,United States of America,Texas,TX,Joe Biden,2,0\r\n173,10/24/2020,\xe2\x80\x9cbravery resides in all hearts and someday it will be called upon\xe2\x80\x9d. fantastic conversation about courage empathy leadership equality and inclusion. we need these things now. \xe2\x81\xa6brenebrown\xe2\x81\xa9 \xe2\x81\xa6joebiden,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n174,10/24/2020,\xe2\x80\x9clet\xe2\x80\x99s show him who we are. we chose hope over fear. honor and integrity over lies...let\xe2\x80\x99s take back our democracy\xe2\x80\x9d joebiden,United States of America,California,CA,Joe Biden,0,-0.4\r\n175,10/24/2020,\xe2\x81\xa6\xe2\x81\xa6joebiden\xe2\x81\xa9 \xe2\x80\x94 on covid19 had me at \xe2\x80\x9cscience.\xe2\x80\x9d voteearly biden speaks the day after the final debate \xe2\x80\x9cyes mr. president i\xe2\x80\x99ll listen to the scientists and i\xe2\x80\x99ll empower them.\xe2\x80\x9d \xf0\x9f\xa4\x93wearamask,United States of America,Illinois,IL,Joe Biden,1,0.2\r\n176,10/25/2020,freudian slip. voter fraud. it's real and biden brags about it.,United States of America,Virginia,VA,Joe Biden,0,-0.1\r\n177,10/25/2020,2020elections campaigns news joebiden hunter biden alleged sex tape and images uploaded on bannon-connected chinese website,United States of America,Idaho,ID,Joe Biden,0,-0.6\r\n178,10/25/2020,putinspuppet putinsgop trump trumpnotfitforoffice resist removetrump biden2020 biden bidenharris2020tosaveamerica,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n179,10/25/2020,trump trumpnotfitforoffice resist biden2020 biden bidenharris2020tosaveamerica trumpispathetic trumpisnotamerica trumpisanationaldisgrace,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n180,10/25/2020,vp biden ukraine dealings. biden2020 biden trump poll politics technews ivoted programming trending breaking  kamalaharris trump news vote2020 mondaymotivation,United States of America,California,CA,Joe Biden,0,-0.3\r\n181,10/25/2020,2020election 2020presidentialdebate i remember joebiden saying that the people have medicaid and it\xe2\x80\x99s free to trump arguing against obamacare. i respect the idea of individual mandate but i can\xe2\x80\x99t rely on the leader who speaks as if that and food-stamps can be decent.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n182,10/25/2020,3... wouldn\xe2\x80\x99t it cross anyone\xe2\x80\x99s mind that perhaps harris running with joebiden for the ovaloffice wasn\xe2\x80\x99t a smart move,United States of America,North Carolina,NC,Joe Biden,0,-0.5\r\n183,10/25/2020,9 days left in election2020 votebiden vote biden,United States of America,California,CA,Joe Biden,2,0\r\n184,10/25/2020,9 days until general election vote joebiden votehimout,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n185,10/25/2020,adele has one of the most amazing singing voices of out lifetime. thanks for giving her a platform tonight nbcsnl . ps. alecbaldwin as trump is always perfect and i\xe2\x80\x99m warming up to jimcarrey as biden.,United States of America,New Jersey,NJ,Joe Biden,1,0.6\r\n186,10/25/2020,alshalloway discredited unlike the actual super sketchy biden scheme to get rich off influence peddling through hunter.,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n187,10/25/2020,and biden and the dems are the party of inclusion....we cannot let this anarchy continue trump2020,United States of America,California,CA,Joe Biden,1,0.2\r\n188,10/25/2020,and i said \xe2\x80\x9cyou know who else is really bad at business donald trump you have to be really a bad businessman to bankrupt 3 casinos\xe2\x80\x9d we just kept shredding them the entire time as cars were still honking at our joebiden signs &amp; we\xe2\x80\x99re all bye losers \xf0\x9f\x98\x82 /6,United States of America,Oregon,OR,Joe Biden,0,-0.9\r\n189,10/25/2020,anncoulter so you want joebiden to win and destroy our country,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n190,10/25/2020,another intelligent rebuttal from the biden family,United States of America,Illinois,IL,Joe Biden,1,0.5\r\n191,10/25/2020,another trumpsuperspreader rally while trumpdancesamericansdie 225000 and counting. new zealand have only had 25 deaths to date. joebiden is up +11 points in maine your 4000 are the uneducated what\xe2\x80\x99s left.,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n192,10/25/2020,anyone notice that joebiden and kamalaharris tweets now have almost all positive responses towards their campaign floating to the top it used to be at least 60/40 against them. algorithm  realdonaldtrump donaldjtrumpjr erictrump dbongino seanhannity realjameswoods,United States of America,Hawaii,HI,Joe Biden,1,0.1\r\n193,10/25/2020,apparently smoking crack and being a sexual deviant qualifies you to head a ukrainian gas company. hunterbiden joebiden laptop bidenharris2020 trump,United States of America,New York,NY,Joe Biden,0,-0.4\r\n194,10/25/2020,arthelneville and ericshawntv  these 2 foxnews fake news . shame the usa tests more than a million a week thus there will be found asymptotics. well they\xe2\x80\x99re under order by idiot fox producers  they sell tv ads to biden suckers foxnews,United States of America,New York,NY,Joe Biden,0,-0.8\r\n195,10/25/2020,at least joe admits voter fraud... will he just admit foreign corruption and shakedowns during his pay to play voterfraud joebiden hunterbiiden hillaryclinton biillclinton paytoplay,United States of America,Washington,WA,Joe Biden,0,-0.8\r\n196,10/25/2020,atrupar aoc aoc you won't be lobbying joebiden don't kid yourself. you have been used for progressive votes..how is the middle class and folks in poverty going to buy bread when they are poorer because of biden,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n197,10/25/2020,bcool333 if we vote joebiden will win.,United States of America,Oregon,OR,Joe Biden,2,0\r\n198,10/25/2020,because they are too busy pissing and moaningabout our great potus realdonaldtrump being president and showing more energy that biden,United States of America,New York,NY,Joe Biden,0,-0.6\r\n199,10/25/2020,being that joebiden is in bed with china. did he coordinate with china to release the virus to help his election,United States of America,New York,NY,Joe Biden,0,-0.3\r\n200,10/25/2020,betoorourke joebiden come to texas.,United States of America,Colorado,CO,Joe Biden,2,0\r\n201,10/25/2020,bgonthescene idawhannadoyou the only way these dirty democrats win any vote is by absolute fraud and rigging of ballots. cheating is the only thing they are good at. crazy-eyed kamalaharris and fabricator joebiden are set to steal your votes,United States of America,North Carolina,NC,Joe Biden,0,-0.8\r\n202,10/25/2020,biden,United States of America,New York,NY,Joe Biden,1,0.3\r\n203,10/25/2020,biden 2020 he won\xe2\x80\x99t give up and quit on the pandemic texas biden leadershipmatters,United States of America,California,CA,Joe Biden,0,-0.4\r\n204,10/25/2020,biden bidenharrislandslide2020 voteblue2020 votebluedowntheballot,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n205,10/25/2020,biden bidenharristosaveamerica,United States of America,California,CA,Joe Biden,1,0.3\r\n206,10/25/2020,biden corruption needs to be investigated.,United States of America,Virginia,VA,Joe Biden,0,-0.8\r\n207,10/25/2020,biden gtv hunterslaptop,United States of America,Tennessee,TN,Joe Biden,1,0.3\r\n208,10/25/2020,biden in his basement again joebiden sleepyjoe,United States of America,Arizona,AZ,Joe Biden,1,0.1\r\n209,10/25/2020,biden ivotedearly,United States of America,Texas,TX,Joe Biden,1,0.3\r\n210,10/25/2020,biden may want to take your guns but biden can\xe2\x80\x99t take your guns. don\xe2\x80\x99t believe the nra realdonaldtrump or the gop. i am a gun owner living in florida who voted4biden. local elections matter. this election is about fixing america\xe2\x80\x99s whitehouse mistake.,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n211,10/25/2020,biden must be a poll believer then. or maybe it's just that as a practising catholic he's not supposed to work on sundays ;,United States of America,California,CA,Joe Biden,0,-0.5\r\n212,10/25/2020,biden privateequity wallstreet,United States of America,New York,NY,Joe Biden,1,0.3\r\n213,10/25/2020,biden stands with antifa.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n214,10/25/2020,biden while promoting \xe2\x80\x98unity\xe2\x80\x99 insults trumpsupporters as his rally gets drowned out \xe2\x80\x98those chumps\xe2\x80\x99  more headlines,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n215,10/25/2020,biden \xf0\x9f\xa4\xa3\xf0\x9f\x98\x82\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,New York,NY,Joe Biden,1,0.4\r\n216,10/25/2020,biden/harris2020\xf0\x9f\x87\xba\xf0\x9f\x87\xb8  usa,United States of America,California,CA,Joe Biden,1,0.1\r\n217,10/25/2020,bidencrimefamilly bidenleaks bidencorruption biden bidenharris bidenharris2020  special report inside joe biden's corruption scandal and the social med...  via youtube,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n218,10/25/2020,bidenharrislandslide2020 sundaymorning sundayvibes money followthemoney bidenleaks bidencrimefamiily mondaythoughts fridayvibes cnn biden hunterbidenlaptop,United States of America,California,CA,Joe Biden,2,0\r\n219,10/25/2020,bigmike joebiden,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n220,10/25/2020,black lives matter to me that why biden must win. we need a judy society vote,United States of America,New York,NY,Joe Biden,0,-0.1\r\n221,10/25/2020,black people really picked joebiden over icecube,United States of America,Florida,FL,Joe Biden,2,0\r\n222,10/25/2020,blacktwitter blacklivesstillmatter blm blmmovement billieeilish alyssamilano chelsea chelseahandler joebiden joebidenkamalaharris2020 climateaction climate climatetwitter climate_psych gretathunberg debramessing,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n223,10/25/2020,blm blackpink joebiden joebidenkamalaharris2020 kamalaharris climateaction climate gretathunberg betternigeria lgbtq,United States of America,Nevada,NV,Joe Biden,1,0.2\r\n224,10/25/2020,bloodbath biden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n225,10/25/2020,bluecreole cnnpolitics malcolm x said to keep a black man ignorant just put information in a book. go read the crime bill it is massive. the crime bill itself well supported by the black community and leaders. what the crime bill unearthed was systematic racism &amp; the effects of private prisons. biden,United States of America,North Carolina,NC,Joe Biden,2,0\r\n226,10/25/2020,brad pitt narrates biden ad airing during world series bradpitt joebiden kamalaharris \xe2\x81\xa6joebiden\xe2\x81\xa9 \xe2\x81\xa6kamalaharris\xe2\x81\xa9 \xe2\x81\xa6mlb\xe2\x81\xa9 \xe2\x81\xa6foxsports\xe2\x81\xa9 \xe2\x81\xa6dodgers\xe2\x81\xa9 \xe2\x81\xa6raysbaseball\xe2\x81\xa9 votebidenharris worldseries,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n227,10/25/2020,bradpitt has narrated a joebiden ad for tonight's worldseries gracerandolph,United States of America,New York,NY,Joe Biden,1,0.1\r\n228,10/25/2020,brave americans are risking their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n229,10/25/2020,brave texans are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n230,10/25/2020,briana9 jadedcreative what a crazy argument. if there is someone that is indecent and cannot get his hand of children male and female then its biden. he is a sick pedo &amp; racist,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n231,10/25/2020,california gov. newsom places severe restrictions on thanksgiving - expect this for the entire country if joebiden gets elected,United States of America,New York,NY,Joe Biden,0,-0.2\r\n232,10/25/2020,check the date this was joebiden warning of the danger of a pandemic a year ago today. the trump administration\xe2\x80\x99s failure was not only incompetence it was willful determination to trash everything the obama administration built,United States of America,New York,NY,Joe Biden,0,-0.6\r\n233,10/25/2020,chief of staff meadows just admitted defeat. plain and simple. we aren't going to contain covid19. trump has no plan and thousands more are going to die because of it get him out of here biden bidenharris2020 trump votehimaout vote voteearlyday,United States of America,New York,NY,Joe Biden,0,-0.5\r\n234,10/25/2020,coloradowinds hunterbidenlaptop joebiden joebiden kamalaharris fakenews,United States of America,Georgia,GA,Joe Biden,1,0.4\r\n235,10/25/2020,commenting on the second presidentialdebate bbc_arabic bbcarabic i said it was calmer than the first debate &amp; that biden had clear plans while trump used blaming others &amp; attacks on biden &amp; his family to divert attention from his many challenges. election2020 elections,United States of America,Maryland,MD,Joe Biden,0,-0.2\r\n236,10/25/2020,crooked democrats biden,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n237,10/25/2020,cthagod asked biden if he would choose a black person as his running mate even a black woman. they throw us all of these tokens like a fisherman that goes out and puts bait on the hook. then you bite down hard and get caught and drawn up. minishmael noisundays,United States of America,Michigan,MI,Joe Biden,0,-0.2\r\n238,10/25/2020,danrather biden-harris 2020,United States of America,Texas,TX,Joe Biden,1,0.1\r\n239,10/25/2020,deanna4congress sorensentracey bill19293640 realdonaldtrump joebiden has officially threatened the safety of america by calling for a darkwinter. i believe that's terrioism. arrestjoebiden,United States of America,California,CA,Joe Biden,0,-0.1\r\n240,10/25/2020,dear young people even if joebiden is 100% against a fracking ban he\xe2\x80\x99s still not a pathological-lying ignorant incompetent corrupt sexist homophobic xenophobic racist divisive dangerous violence-inciting democracy-raping dictator-wannabe traitor. vote biden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n241,10/25/2020,debbiesva trumpwarroom just as an fyi - the usa will run out of oil within 10 to 20 years...  so..  we will be ending the oil industry by 2050 whether or not joebiden is planning for it. like covid19 its good not to be in denial.  maga.,United States of America,New York,NY,Joe Biden,2,0\r\n242,10/25/2020,demcast wtpsenate wtpblue wtpbiden blm msnbcl msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n243,10/25/2020,demcast wtpsenate wtpblue wtpbiden blm msnbcl msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n244,10/25/2020,demcast wtpsenate wtpblue wtpbiden blm msnbcl msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n245,10/25/2020,demcast wtpsenate wtpblue wtpbiden blm msnbcl msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n246,10/25/2020,democrat white privileged racists.  racism is real and it\xe2\x80\x99s the party of joebiden,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n247,10/25/2020,democratsarecorrupt joebiden bidenisprovoterfraud democratsareracist kamalaharris joebiden are all about cheating to the finish line...,United States of America,Arizona,AZ,Joe Biden,0,-0.8\r\n248,10/25/2020,does anyone even think about what people would do with a stimulus you spend a stimulus. you spend a stimulus at businesses so they can stay in business. it makes sense. biden democracy is worth saving.,United States of America,California,CA,Joe Biden,1,0.2\r\n249,10/25/2020,donaldjtrumpjr as steven segal said \xe2\x80\x9cno one is above the law\xe2\x80\x9d. joebiden your day may come.,United States of America,Kentucky,KY,Joe Biden,0,-0.2\r\n250,10/25/2020,donaltrump joebiden presidentialelection2020,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n251,10/25/2020,dopethrone6 cnn crypt0e show your face cnn is  biased by not reporting the corruption on bidencrimefamilly  joebiden teampelosi cnnpolitics repaoc aoc berniesanders rashidatlaib ilhanmn nygovcuomo billblascio chicagosmayor all these politicians are corrupt covering for biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n252,10/25/2020,draintheswamp2020 trumpislosing bluewave2020 bidenharrislandslide2020 bidenharris2020 gopsuperspreaders gopcorruptionovercountry gopbetrayedamerica trumpcrimefamily lockhimup decencymatters votehimout2020 makeamericasaneagain joebiden,United States of America,New York,NY,Joe Biden,1,0.4\r\n253,10/25/2020,earlyvoting wait times got a little crazy today here in indianapolis election2020 joebiden donaldtrump indiana,United States of America,Indiana,IN,Joe Biden,0,-0.4\r\n254,10/25/2020,emayaregee davidmweissman it felt like an amazing relief. it was wonderful biden,United States of America,Arizona,AZ,Joe Biden,1,0.9\r\n255,10/25/2020,episode 1164 scott adams coyotes protect border black support for pres...  via youtube biden humantrafficking sheeple calfires plotagainstthepresident realdonaldtrump maga americafirst,United States of America,California,CA,Joe Biden,2,0\r\n256,10/25/2020,everyone talks about biden supporters wrecking trump signs and such. yet my biden bumper sticker was ripped off. so very tolerant of other beliefs. i\xe2\x80\x99m putting a joebiden sign in my windows now. vote joebiden trumpisaloser,United States of America,Wisconsin,WI,Joe Biden,0,-0.2\r\n257,10/25/2020,fcc corrupt fraudulent agency ignores communitystandards collusion criminal conspiracy of and beteen msm same anti realdonaldtrump stories no hunter\xf0\x9f\x92\xbbbiden \xf0\x9f\x92\xb5years goal protect dnc anti we\xf0\x9f\x87\xba\xf0\x9f\x87\xb8ajitpaifcc \xf0\x9f\x91\xbfpowellson owned by comcast \xf0\x9f\x93\xa1\xf0\x9f\x93\xba\xf0\x9f\x93\xbb\xe2\x98\x8e\xef\xb8\x8f\xf0\x9f\x93\xb1\xf0\x9f\x8e\xa5\xf0\x9f\x93\x9a\xf0\x9f\x93\xb0\xf0\x9f\x92\xbbcbs_herridge \xf0\x9f\x98\x90,United States of America,Massachusetts,MA,Joe Biden,0,-0.7\r\n258,10/25/2020,former us president barackobama speaks at a bidenharris drive-in rally in miami florida usa us20202 joebiden kamalaharris politics vote barackobama afpphoto,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n259,10/25/2020,foxnews tomilahren bidenharrislandslide2020 biden,United States of America,California,CA,Joe Biden,1,0.3\r\n260,10/25/2020,fred_guttenberg joebiden i voted for joebiden too can\xe2\x80\x99t wait til he and jill are in the white house,United States of America,New York,NY,Joe Biden,1,0.6\r\n261,10/25/2020,georgetakei the transition from oil coal gas is underway. democrats want a  transition that protects communities ensures decent jobs pushes real progress.   gop stands for climate disaster corporations abandoning workers.   pennsylvania texas ohio minnesota iowa biden wind,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n262,10/25/2020,get this christian national bs out of our government. rediscover what makes them universal. ugh. please please please vote for joebiden. this stuff has to end.,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n263,10/25/2020,good people vote voteearly for joebiden kamalaharris bidenharris2020 voteblue votebluetosaveamerica \xf0\x9f\x9a\x99\xf0\x9f\x92\x99\xf0\x9f\x9a\x99,United States of America,Florida,FL,Joe Biden,1,0.9\r\n264,10/25/2020,gopchairwoman biden never and never said anywhere that he wants to pack the court you\xe2\x80\x99re making this up and you are the one lying to american peoplegop is the one actually packing the supreme court right now by stealing the rbg seat and shifting its balance 6 to 3 period,United States of America,California,CA,Joe Biden,0,-0.9\r\n265,10/25/2020,govkristinoem eternalritewing deep state's drfauci that joebiden praised has been in the experimenting research gov for decades. fauci said masks do not work at the beginning. then they mandated them to cover up identity of the rioters. many  hired agitators. fauci means jaws italian-as in shark killer,United States of America,California,CA,Joe Biden,0,-0.1\r\n266,10/25/2020,harris is as clueless as biden. you\xe2\x80\x99ve been on the campaign trail for two weeks and you can\xe2\x80\x99t remember what city you\xe2\x80\x99re in pathetic,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n267,10/25/2020,he sure is. i've read many of the posted documents. joebiden is a national security risk. voteredtosaveamerica votered maga kag trumppence2020,United States of America,Georgia,GA,Joe Biden,2,0\r\n268,10/25/2020,here is how lindsaygraham compares trump to biden.,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n269,10/25/2020,here\xe2\x80\x99s he is in all his racist glory joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n270,10/25/2020,hey rsbnetwork listeners\xe2\x80\x94 in all seriousness do you realize that they are just using you and your adoration of trump for their financial gain right  think of how often they ask for your money.  during this hard time.  cause no matter whether you support trump or biden,United States of America,California,CA,Joe Biden,0,-0.5\r\n271,10/25/2020,hilaryluros jaketapper i want a president who doesn\xe2\x80\x99t give up.  biden bidenharris2020,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n272,10/25/2020,hispaulson seanmfdineen rationalwalk good take. mostly agree. i do think biden has a significant shot of winning fl - but it\xe2\x80\x99ll be close &amp; as a d i\xe2\x80\x99ve well learned not to bet the ballgame on fl. based on fundamentals would agree would be unlikely for oh/ia to flip before wi/mi/pa cont,United States of America,New York,NY,Joe Biden,1,0.2\r\n273,10/25/2020,how i spent my sunday. two hours and so worth it. teambidenharris bidenharrislandslide2020 biden democrats joebiden kamalaharris,United States of America,Pennsylvania,PA,Joe Biden,1,0.4\r\n274,10/25/2020,hung out with joebiden this morning for a bit.  gotta say his island is amazing  teamjoe you did an amazing job on this island acnh dreamisland joebiden bidenharris2020 biden selfiewithjoe,United States of America,Florida,FL,Joe Biden,1,0.4\r\n275,10/25/2020,hunter biden sought to avoid registering as foreign agent in chinese business venture text message shows - the daily caller,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n276,10/25/2020,hypocrisy at it\xe2\x80\x99s finest. i guess joe doesn\xe2\x80\x99t need to wear a mask or social distance when he thinks the cameras are off joebiden election2020 biden mask socialdistancing fraud trump,United States of America,Virginia,VA,Joe Biden,0,-0.8\r\n277,10/25/2020,i am so proud to be part of this movement - if you vote democrat you remained chained to the system of victimhood. walkaway cnn foxnews mmflint trumpeslibertad realcandaceo 50cent realdonaldtrump biden elections,United States of America,New York,NY,Joe Biden,1,0.3\r\n278,10/25/2020,i am so ready to live in joebidensneighborhood joebiden,United States of America,Virginia,VA,Joe Biden,1,0.5\r\n279,10/25/2020,i beat the socialist. i won't banfracking. i'd veto medicareforall. i don't support a greennewdeal. nothing will fundamentally change. joebiden has spent the election attacking the left &amp; we're just supposed to take it we deserve better~ryan knight proudsocialist,United States of America,New York,NY,Joe Biden,0,-0.3\r\n280,10/25/2020,i cannot imagine any bernie bros voting for joebiden,United States of America,Georgia,GA,Joe Biden,0,-0.6\r\n281,10/25/2020,i do not care for jimcarrey\xe2\x80\x99s joebiden bring back the best jasonsudeikis snl,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n282,10/25/2020,i haven\xe2\x80\x99t kissed/hugged my granddaughter since she was a month old. i miss her so much. it makes me so angry that trump relinquished his duty 2 protect us from a virus that could have been contained had he had a plan from the start. i voted biden who has a plan to beat covid.,United States of America,California,CA,Joe Biden,2,0\r\n283,10/25/2020,i wish i had this much fun when i voted. earlyvoting2020 turnthesenateblue joy biden,United States of America,Michigan,MI,Joe Biden,1,0.5\r\n284,10/25/2020,i'm voting for joebiden because it's about time we have a president who empathizes with the most vulnerable among us. for too long now the big banks and wall street have been left to suffer and joe will be a strong advocate on their behalf. helpbanksfuckoverpeople \xf0\x9f\x99\x84,United States of America,Washington,WA,Joe Biden,0,-0.2\r\n285,10/25/2020,if biden wins he tells his wallstreet supporters he can\xe2\x80\x99t wait to raise taxes  $qqq $spy $iwm $dia $ijh $xlk $xlv $xlp $xlu $xly $xlc $xlb $xlf $xli $xle $xlre $iusv $iusg $qual $usmv $mtum $dgro $rsp $vti $vym $vtv $voo maga2020 trump2020 voteearly,United States of America,California,CA,Joe Biden,0,-0.6\r\n286,10/25/2020,if biden wins will the republicans tell all the white supremacists to riot and destroy america the way that the democrats will,United States of America,Oregon,OR,Joe Biden,0,-0.8\r\n287,10/25/2020,if one of trumps kids got caught doing old hunter was doing it would be the lead story on every news station and would break the internet. hunterslaptop hunterbiden joebiden crooks trump bias,United States of America,New York,NY,Joe Biden,0,-0.5\r\n288,10/25/2020,if they can\xe2\x80\x99t keep all of these people safe why would they keep us safe and we do not have the same access to the same medicines and level of care that these people do. covid19 pencecovid endthechaos marcshort covidparty biden bidenharris2020,United States of America,New York,NY,Joe Biden,0,-0.2\r\n289,10/25/2020,if this is just what was on one of his laptops... imagine what else he\xe2\x80\x99s done. biden whereshunter bidenharris2020 biden2020,United States of America,California,CA,Joe Biden,1,0.1\r\n290,10/25/2020,if we do anything in 2020 pls let it be making texas blue in this election votehimout biden,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n291,10/25/2020,if we put joebiden in charge how many of us will turn out like hunterbiden biden,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n292,10/25/2020,in snl\xe2\x80\x99s coldopen the final presidential debate becomes an absurd slugfest over coronavirus  via voxdotcom news finalpresidentialdebate saturdaynightlive nbc tv television comedy trump biden debates election2020 electionday 2020election,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n293,10/25/2020,indeed fucking  idiots running the people\xe2\x80\x99s wh. trumpsurrendered covid19 bluewave2020 biden bidenharris,United States of America,California,CA,Joe Biden,0,-0.2\r\n294,10/25/2020,it was great before trump.  now let's make it proud sane kind safe again.  help end the trump nightmare at  a crowdsourced grassroots project to display billboards in battleground states. dumptrump liarinchief biden bidenharris2020,United States of America,Oregon,OR,Joe Biden,1,0.2\r\n295,10/25/2020,it\xe2\x80\x99s 3am in the white house and the emergency phone rings. covid is calling. who do you want to answer   joebiden joebidenkamalaharris2020 please not trump again.  america can take wwi wwii great depression vietnam cold war 9/11 but we can\xe2\x80\x99t take trump again.,United States of America,Utah,UT,Joe Biden,0,-0.3\r\n296,10/25/2020,it\xe2\x80\x99s unconscionable. hillaryclinton joebiden joebiden bidenharris2020 imwithher,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n297,10/25/2020,i\xe2\x80\x99m going to shut down the virus not the country. - joebiden. remember you can vote for joe and still tell your friends and family you voted for trump unitedwestand changeyourvote maga maga2020,United States of America,New York,NY,Joe Biden,0,-0.2\r\n298,10/25/2020,i\xe2\x80\x99m just saying if my joe and kamala yard sign shows up after the election i\xe2\x80\x99m gunna be pissed. i mean i ordered it a month ago. joebiden,United States of America,Colorado,CO,Joe Biden,0,-0.3\r\n299,10/25/2020,jadedcreative this is sick. you manipulated and forced your father to vote differently. was there nothing more important to talk about then forcing him to vote for a corrupt racist antisemite biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n300,10/25/2020,jbruce218 cnnsotu i want a president who doesn\xe2\x80\x99t give up   biden bidenharris2020,United States of America,Massachusetts,MA,Joe Biden,0,-0.6\r\n301,10/25/2020,jdiamond1 q would any biden supporter be passionate enough to brave the cold to attend a rally/drive in,United States of America,Florida,FL,Joe Biden,1,0.1\r\n302,10/25/2020,jeffsharlet bannerite wow. i just saw this. tears. this is who our country needs as president. this is the leader we need. \xe2\x80\x9crules for happiness something to do someone to love something to hope for.\xe2\x80\x9d  empathy joebiden bidenharris2020 love courage hope america,United States of America,Minnesota,MN,Joe Biden,1,0.4\r\n303,10/25/2020,jeremyswallace juliancastro joebiden brave texans are risking their lives to vote early. no matter what the survey polls say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n304,10/25/2020,joe and obama had a plan. trump's revengeful attitude threw it out. trump has no plan and now we the people are paying for it. what else do you need to know about trump before you start voting blue joebiden voteblue,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n305,10/25/2020,joe biden is going to be a dark and sad time for future generations to learn about he is an embarrassment to this country biden bidenleaks biden2020 bidenharris2020 bidencrimefamiily election2020,United States of America,California,CA,Joe Biden,0,-0.9\r\n306,10/25/2020,joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n307,10/25/2020,joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n308,10/25/2020,joebiden,United States of America,Georgia,GA,Joe Biden,1,0.3\r\n309,10/25/2020,joebiden  the voters will give donald his walking papers because the voters not be swayed,United States of America,California,CA,Joe Biden,0,-0.5\r\n310,10/25/2020,joebiden admits fraud ..smh \xf0\x9f\x99\x87\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,New York,NY,Joe Biden,0,-0.8\r\n311,10/25/2020,joebiden admits to having engineered the most extensive voter fraud in us history. bidenleaks biden bidenharris2020 darkmoney elections2020 breakingnews 2020election,United States of America,New York,NY,Joe Biden,0,-0.1\r\n312,10/25/2020,joebiden americans trust joebiden and kamalaharris to build back better.,United States of America,Ohio,OH,Joe Biden,1,0.6\r\n313,10/25/2020,joebiden bidenharris2020 you control the media stations as well as facebook and twitter.  jojorgensen2020,United States of America,South Carolina,SC,Joe Biden,1,0.1\r\n314,10/25/2020,joebiden but... but... your son's laptop biden bidenharrislandslide2020,United States of America,California,CA,Joe Biden,1,0.2\r\n315,10/25/2020,joebiden called it one year ago,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n316,10/25/2020,joebiden captmarkkelly senkamalaharris joebiden foxnews i heard joe biden say we were friendly with hitler prior to world war ii..... just ask mark \xe2\x80\x9chitler\xe2\x80\x9d kelly debates2020\xc2\xa0furhrer,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n317,10/25/2020,joebiden covid coronavirus wwg whitehouse bluelivesmatter capitalism alllivesmatter president liberty american berniesanders news meme blacklivesmatter republicanmemes bidencares bidenharris2020landslide biden bidenharris2020 bidenharris2020tosaveamerica,United States of America,Washington,WA,Joe Biden,0,-0.5\r\n318,10/25/2020,joebiden fraud green new deal from aoc 100 day plan belongs to berniesanders healthcare for all senwarren fracking or not..oil &amp; gas kamalaharris 47 years of your plans are black super predators in jail &amp; segregated schoolsraise taxes cut ss &amp; medicare  \xf0\x9f\x99\x8ftrump2020\xf0\x9f\x99\x8f,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n319,10/25/2020,joebiden fundraising kicks into high gear with kamalaharris at his side  election election2020 democrat republican politics trump biden funraising livericher,United States of America,California,CA,Joe Biden,0,-0.4\r\n320,10/25/2020,joebiden has called a lid again today and will hide in his basement. meanwhile trump was in newhampshire with americans.,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n321,10/25/2020,joebiden is enlisting a-list star power to help close out campaign season do y'all think this bradpitt appearance move the needle,United States of America,California,CA,Joe Biden,0,-0.4\r\n322,10/25/2020,joebiden isn\xe2\x80\x99t a malignantnarcissist. note gop is the one committing votersuppression. if realdonaldtrump loses it will be because america votebluetoendthisnightmare. of course he\xe2\x80\x99s setting the stage to throw a tantrum if/when he loses. trumpmustgovoteforjoe vote,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n323,10/25/2020,joebiden joewillleadus votebidenharris,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n324,10/25/2020,joebiden kamalaharris voteearly,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n325,10/25/2020,joebiden put this man away for life vote nov. 3rd to take a stand against racist joebiden   vote republican  racistjoebiden vote 2020election electionday voteredtosaveamerica2020 vote2020 vote2020,United States of America,New York,NY,Joe Biden,2,0\r\n326,10/25/2020,joebiden vote  for our country \xf0\x9f\x87\xba\xf0\x9f\x87\xb8joebiden ichooseamerica joewillleadus  vote our lives depend on it yafbiden  to all the young people out there this is your future... this is your planet vote,United States of America,Arizona,AZ,Joe Biden,1,0.1\r\n327,10/25/2020,joebiden you're almost to the end biden.  it'll all be over soon and you can wear your comfy shoes and slap nurses hinies again.,United States of America,California,CA,Joe Biden,2,0\r\n328,10/25/2020,joebiden's campaign really should pay markmeadows for giving them such a perfect sound bite.,United States of America,California,CA,Joe Biden,1,0.8\r\n329,10/25/2020,jrubinblogger and hired biden you're welcome,United States of America,Florida,FL,Joe Biden,1,0.7\r\n330,10/25/2020,judicial watch announced it filed a foia lawsuit in the u.s. district court for the d.c against the u.s. department of homeland security dhs for records relating to travel by hunterbiden son of former vice president joebiden. read,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n331,10/25/2020,just imagine this when biden was v.p. and taking bribes from china. what would have happened if obama had become incapacitated god forbid and joebiden became president of the united states,United States of America,Nevada,NV,Joe Biden,0,-0.4\r\n332,10/25/2020,just my dog luna sporting some biden/harris merch joebiden kamalaharris votblue bidenharris2020 joebiden kamalaharris democratdogs,United States of America,Florida,FL,Joe Biden,1,0.1\r\n333,10/25/2020,justice is what love looks like in public...joebiden blackeyedpeas jenniferhudson love justice vote,United States of America,Nevada,NV,Joe Biden,1,0.6\r\n334,10/25/2020,justin timberlake uses shirtless throwback pic to encourage voting 'we really need you' | \xe2\x81\xa6billboard\xe2\x81\xa9 \xe2\x81\xa6jtimberlake\xe2\x81\xa9 \xe2\x81\xa6joebiden\xe2\x81\xa9 \xe2\x81\xa6kamalaharris\xe2\x81\xa9 timberlake biden harris votebidenharris2020,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n335,10/25/2020,kamala harris is insult to the people that live through the great depression \xe2\x80\x9csaying there are comparing this year as to the great depression\xe2\x80\x9d  nothing but lies. kamala joebiden kamalaharris,United States of America,New York,NY,Joe Biden,0,-0.2\r\n336,10/25/2020,ken21433765 binxthewonderc1 its good that more and more blacks are leaving the democrat racist plantation. the fascist way the democrat media are repeatingly trying to ask trump questions about racism and stay quiet about the clear proof we have about biden and the democrats,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n337,10/25/2020,ken21433765 binxthewonderc1 the blacksfortrump movement and the blexit movement are calling themselves proudly blacks just like i call myself a proud gay jew. but if you specifically want to be called something differently just tell me. biden calls people youaintblack if they think independently,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n338,10/25/2020,laprogressive latimes cnnpolitics newyorktimes_on libertarian corona makeamericagreatagain republicans biden democracy elections media like kirstiealley joebiden meme trump2020nowmorethanever supermantrump superman supermanmot trump vote,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n339,10/25/2020,latinos al ritmo de salsa  votolatino joebiden,United States of America,California,CA,Joe Biden,1,0.5\r\n340,10/25/2020,lets go philly baby philly phillylove amen 2020election bidenharris2020landslide voteready biden wtpblue bidenharristosaveamerica,United States of America,California,CA,Joe Biden,1,0.6\r\n341,10/25/2020,ln radio 10/25/20 biden fallout corruption oil and a dark winter  libertynationnews biden darkwinter,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n342,10/25/2020,maddow with biden as president we can all tweet puppy pics and cat videos...,United States of America,Texas,TX,Joe Biden,1,0.2\r\n343,10/25/2020,matthew mcconaughey opens up about sexual abuse experienced as a teen.  matthewmcconaughey sexualabuse greenlights melbrooks joebiden donaldtrump elections jessiej channingtatum jenniferlawrence johnmccain blakeshelton gwenstefani cmt,United States of America,New York,NY,Joe Biden,0,-0.4\r\n344,10/25/2020,me going to vote. i don't care if i have to take spot and muffy to prove to them i voted for biden i'm doing it. they love presidents who love dogs.,United States of America,Nevada,NV,Joe Biden,1,0.2\r\n345,10/25/2020,meetthepress kbeds biden is desperate to keep both moderates and leftist happy. it\xe2\x80\x99s a difficult juggling act and the balls are starting to hit the floor.,United States of America,Maryland,MD,Joe Biden,0,-0.5\r\n346,10/25/2020,meetthepress mmurraypolitics biden will when ohio election2020 mtp,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n347,10/25/2020,meidastouch washumom i voted for joebiden,United States of America,Missouri,MO,Joe Biden,1,0.1\r\n348,10/25/2020,miamiherald oops i guess you forgot to mention the diverse crowd had more trump followers protesting the presence of  dictator lover barackobama who returned spies to cuba for the murder of americans. one of the few biden\xe2\x80\x99s supporters had 2 signs insulting trump and cubans only in miami,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n349,10/25/2020,michael reacts to social justice halloween psa | cringe warning  via youtube halloweenhideaway biden spooky scary harris sccialismkills realdonaldtrump promisesmadepromiseskept buildthewall laptopfromhell backtheblue silentmajorityrising mag,United States of America,California,CA,Joe Biden,0,-0.3\r\n350,10/25/2020,minnesota vote biden sundaymorning covidiots,United States of America,Texas,TX,Joe Biden,1,0.2\r\n351,10/25/2020,mpeyton erinmperrine by other guy i presume you are referring for the integrity and authenticity of joebiden . his empathy for every day americans will be what saves our democracy. votebluetosaveamerica,United States of America,California,CA,Joe Biden,1,0.4\r\n352,10/25/2020,my article on the debate in morningbrussels discussed how donaldtrump is still not interested in governance  joebiden election2020,United States of America,New York,NY,Joe Biden,0,-0.8\r\n353,10/25/2020,my latest illustration vote voteearlyday votehimout2020 biden bidenharris,United States of America,California,CA,Joe Biden,2,0\r\n354,10/25/2020,my life changed when trump ran for the presidency - the good men project sherrirosen \xe2\x81\xa6goodmenproject\xe2\x81\xa9 \xe2\x81\xa6lisahickey\xe2\x81\xa9 vote evil biden,United States of America,New York,NY,Joe Biden,1,0.1\r\n355,10/25/2020,my new article in thestartup_ on how politics is influencing consumers in light of the 2020election with important implications for business  election elections presidentialelection2020 trump biden democrats republicans marketing medium,United States of America,Louisiana,LA,Joe Biden,0,-0.5\r\n356,10/25/2020,my son bought the biden fly swatter after the vp debate and it\xe2\x80\x99s the funniest tchotchke ever \xf0\x9f\x92\x99 he also voted straight blue in texas in his 1st presidential election truthoverflies flygate bidenharrislandslide2020 mjhegarforsenate  julieoliverforcongress,United States of America,Texas,TX,Joe Biden,1,0.9\r\n357,10/25/2020,nbcnews wow. i just saw this. tears. this is who our country needs as president. this is the leader we need. \xe2\x80\x9crules for happiness something to do someone to love something to hope for\xe2\x80\x9d  empathy joebiden  love courage hope america weneedjoe,United States of America,Minnesota,MN,Joe Biden,1,0.3\r\n358,10/25/2020,nbcsnl hate hate hate jimcarrey as joebiden . nbcsnl you are blowing it.,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n359,10/25/2020,nbcsnl is back yeeesss nothing make us more happy in america finally good news and jokes plus realdonaldtrump in jail and jimcarrey as biden for four years  i can\xe2\x80\x99t wait let\xe2\x80\x99s vote in a landslide a make it real enough is enough,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n360,10/25/2020,neeratanden pence\xe2\x80\x99s eye mitch\xe2\x80\x99s hands and face fake melania where\xe2\x80\x99s bill barr this administration is a hot mess.  ohio ohioforbiden biden bidenharristosaveamerica,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n361,10/25/2020,nyt reports trump at a 2017 meeting with the leader of china xi jinping. trump has a long history of chasing licensing deals there - not biden. trumpmustgovoteforjoe,United States of America,Florida,FL,Joe Biden,2,0\r\n362,10/25/2020,obama biden,United States of America,Florida,FL,Joe Biden,1,0.3\r\n363,10/25/2020,obamawasbetterateverything obamainfl trumpisalaughingstock trumpisanationaldisgrace trumpispathetic votebluetoendthisnightmare biden bidenharris2020,United States of America,Massachusetts,MA,Joe Biden,1,0.4\r\n364,10/25/2020,of course no one shows up biden,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n365,10/25/2020,of course trump doesn\xe2\x80\x99t pay any artist to use their songs trumpisafraud votehimout2020 votebiden biden bidenharristosaveamerica,United States of America,New York,NY,Joe Biden,0,-0.7\r\n366,10/25/2020,on fox26houston whatsyourpoint grooganfox26 quotes bakerinstitute fellow markpjonestx on joebiden plan to kill texas energy industry that was a sledgehammer message to houston's oil &amp; gas folks &amp; the industry is a dead man walking if biden wins. democrats bad for tx.,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n367,10/25/2020,on fox26houston whatsyourpoint w grooganfox26 cjblain10 is right - hunterbiden's extensive grift &amp; corruption is not a sidebar issue - it's a core criticism of joebiden failed leadership his lack of integrity &amp; his compromised position.,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n368,10/25/2020,on the right is the real melaniatrump with a wax dummy of realdonaldtrump. on the left is a fakemelania with the real dummy donaldtrump. melaniadouble melaniatapes trump joebiden has a real wife. jillbiden trumpmeltdown,United States of America,California,CA,Joe Biden,0,-0.1\r\n369,10/25/2020,one of the things i can\xe2\x80\x99t wait to end is white people who voted for trump in 2016 being celebrated &amp; given platforms for not voting for him in 2020.  he was just as much of a white supremacist sexist xenophobe etc in 2016. the voters who supported him are still a pos. biden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n370,10/25/2020,one year ago... biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n371,10/25/2020,patriots are all 100% voting for biden. voteblue. patriots,United States of America,Texas,TX,Joe Biden,1,0.3\r\n372,10/25/2020,pennsylvania pa  2020election  joebiden he is not for all of us. he will divide the usa even more.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.7\r\n373,10/25/2020,phone banking for biden this afternoon let\xe2\x80\x99s do this bidencares cmonman trumpisnotamerica,United States of America,California,CA,Joe Biden,1,0.1\r\n374,10/25/2020,please vote for biden/harris/brindisi on the working families party line wfp - row d -  to send a message that you are voting for progressive change. why vote on the working families party line in 2020,United States of America,New York,NY,Joe Biden,0,-0.4\r\n375,10/25/2020,plus you pale in comparison to obama...if by chance you do repeal aca...biden will reverse the desicion then impeach acb like the whore that she is...,United States of America,Colorado,CO,Joe Biden,0,-0.7\r\n376,10/25/2020,poll two-thirds of voters support biden climatechange plan - topics votersassemble climate climateunderground climateaction greennewdeal 2020election bidenharris2020 bidenharris electiontwitter election2020,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n377,10/25/2020,pulling out all stops for florida former president obama to visit orlando on tuesday to hold rally for joe biden,United States of America,Puerto Rico,PR,Joe Biden,0,-0.1\r\n378,10/25/2020,putin rejects donald trump's criticism of biden family business,United States of America,New York,NY,Joe Biden,0,-0.6\r\n379,10/25/2020,re-upping joebiden voteearly vote,United States of America,New York,NY,Joe Biden,1,0.2\r\n380,10/25/2020,read this all. trump biden,United States of America,New York,NY,Joe Biden,1,0.3\r\n381,10/25/2020,realdonaldtrump dictatortrump donaldtrumptaxreturn biden bidenwon bidencares bidenharris2020landslide bluewave gopbetrayedamerica gopcorruptionovercountry gopsuperspreaders   gop is the virus,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n382,10/25/2020,realdonaldtrump its probably because biden already owns nh and they only have 4 electoral votes...,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n383,10/25/2020,realdonaldtrump not worried about the rallies. i'm more concerned about us rocking the vote to evict him out of the peopleshouse joebiden votebidenharris floridaforbiden dismisstheliar,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n384,10/25/2020,realdonaldtrump only their life which you and your family care nothing about. 2020election voteearlyday vote biden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n385,10/25/2020,realdonaldtrump or jaredkushner or jasonmillerindc wrote this email mail. foxnews hannity biden2020 countryoverparty donaldtrump debate2020 joebiden maga maga2020landslidevictory trump votebluedownballot voteredtosaveamerica2020,United States of America,Oregon,OR,Joe Biden,2,0\r\n386,10/25/2020,realdonaldtrump the biggest mess of all is you my friend. let\xe2\x80\x99s face it donthecon you and your demon spawn are absolute disasters and the worst thing our country has ever seen  let\xe2\x80\x99s hear it for my man with an actual plan joebiden and my sister from another mister kamalaharris \xf0\x9f\x92\x95,United States of America,New York,NY,Joe Biden,0,-0.6\r\n387,10/25/2020,realdonaldtrump voted already and not for you biden,United States of America,New York,NY,Joe Biden,0,-0.5\r\n388,10/25/2020,realdonaldtrump we\xe2\x80\x99re trying brother vote votebidenharris2020 kamalaharris joebiden votebluetosaveamerica,United States of America,Illinois,IL,Joe Biden,2,0\r\n389,10/25/2020,realdonaldtrump why didn't you follow biden's warning exactly one year ago about preparing for a pandemic  trumpislosing,United States of America,New York,NY,Joe Biden,0,-0.4\r\n390,10/25/2020,realdonaldtrump wisconsin voteblue joebiden,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n391,10/25/2020,realdonaldtrump yep thant is why i am voting for joebiden,United States of America,California,CA,Joe Biden,0,-0.1\r\n392,10/25/2020,redistrict walking around the heights area in houston. all i see are biden and project lincoln signs. i have a feeling it's happening this year and i'm speaking it into existence. turntexasblue vote voteearly harriscounty,United States of America,Texas,TX,Joe Biden,2,0\r\n393,10/25/2020,redwinggrips it\xe2\x80\x99s not all oil and gas companies that biden and the democrats are against just ones who are making america energy independent.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n394,10/25/2020,rememer remember the third of novemberand joebiden \xe2\x80\x98s treasons and plots. i see no reason that joebiden \xe2\x80\x98s treason should ever be forgot,United States of America,California,CA,Joe Biden,0,-0.1\r\n395,10/25/2020,report icecube says he\xe2\x80\x99s not a sellout for working with the realdonaldtrump \xe2\x80\x9cplatinum plan\xe2\x80\x9d cube brought his contract to the 2...campaigns...biden...wanted to sit down after...election...trump\xe2\x80\x99s son-in-law jaredkushner met with him for 3 hours.\xe2\x80\x9d,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n396,10/25/2020,republicans leave donald trump because he has \xe2\x80\x9cflirted with white supremacists\xe2\x80\x9d mocks christian evangelicals in private and \xe2\x80\x9ckisses dictators\xe2\x80\x99 butts.\xe2\x80\x9d vote election draintheswamp time for biden,United States of America,California,CA,Joe Biden,0,-0.4\r\n397,10/25/2020,retired navy admiral william mcraven announces he voted for biden  via politicususa,United States of America,New York,NY,Joe Biden,2,0\r\n398,10/25/2020,rotnscoundrel imagine joebiden in charge of your 401k,United States of America,New York,NY,Joe Biden,0,-0.3\r\n399,10/25/2020,rudy giuliani working as trump\xe2\x80\x99s personal attorney had taken the search for damaging information on biden all the way to ukraine. two soviet-born americans with colorful histories were his guides then they got arrested.  via occrp,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n400,10/25/2020,rudygiuliani  laredo teambiden biden voteredtosaveamerica2020,United States of America,Texas,TX,Joe Biden,1,0.3\r\n401,10/25/2020,ryanafournier biden is counting on the biggest and best voterfraud organization ever to keep finding votes until he wins. as their esteemed idol stalin said \xe2\x80\x9c it\xe2\x80\x99s not who votes that counts it\xe2\x80\x99s who counts the votes.\xe2\x80\x9d,United States of America,New York,NY,Joe Biden,2,0\r\n402,10/25/2020,seanmfdineen hispaulson rationalwalk to be clear based on all i know i believe biden wins the election my non-quant most informed guess being by 6-7% nationally; enough to win most swing states albeit many in the 2-3% range. think juust large enough to effectively foreclose a credible challenge after fact,United States of America,New York,NY,Joe Biden,2,0\r\n403,10/25/2020,search through biden and trump speeches on topics that are important to you  uselections,United States of America,California,CA,Joe Biden,1,0.2\r\n404,10/25/2020,senator kamala harris 10/25/20 troymichigan detroit kamalaharris kamalaharris bidenharris2020 joebiden joebiden kamala vote,United States of America,Michigan,MI,Joe Biden,1,0.1\r\n405,10/25/2020,slate wow. i just saw this. tears. this is who our country needs as president. this is the leader we need. \xe2\x80\x9crules for happiness something to do someone to love something to hope for.\xe2\x80\x9d  empathy joebiden bidenharris2020 love courage hope america,United States of America,Minnesota,MN,Joe Biden,1,0.4\r\n406,10/25/2020,so is anyone else asking how &amp; why did \xe2\x80\x9cblack president\xe2\x80\x9d barack obama pick joe biden\xe2\x80\x94 a noted racist liar and political hack\xe2\x80\x94 as his vp joebiden obama barackobama,United States of America,Georgia,GA,Joe Biden,0,-0.9\r\n407,10/25/2020,spiroagnewghost thank you for these encouraging stats biden/harrislandslide2020.,United States of America,California,CA,Joe Biden,1,0.9\r\n408,10/25/2020,steveguest what does this mean vote ap csmonitor can some smart savvy election expert explain biden\xe2\x80\x99s boast here believebiden reporters please quote biden,United States of America,California,CA,Joe Biden,0,-0.4\r\n409,10/25/2020,sundaymorning feel good story abt korean american preserving cucumbers for kimchi. by voting for biden she also preserves democracy \xf0\x9f\xa5\x92 vote votebluetosaveamerica maga trump seniorsagainsttrump seniors sundaymotivation joebiden aoc michelleobama marwilliamson,United States of America,District of Columbia,DC,Joe Biden,1,0.5\r\n410,10/25/2020,sundaymotivation trump bidenharris2020 covid19  money blacklivesmatter blackvotersmatter biden 1/29/20 waterloo ia video of me discussing t need4 &amp; joebiden 1/22/20 prom2me2amend title7 civrightsact64 again w his sis vbidenowens morning_joe gma cuomoprimetime oprah,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n411,10/25/2020,sundaythoughts biden joewillleadus bidencares elections2020 votebluedowntheballot vote votejaimeharrisonsc trumpsurrendered,United States of America,New York,NY,Joe Biden,1,0.2\r\n412,10/25/2020,sundaythoughts election2020 biden did you watch any of biden's road rage rally yesterday  he was yelling at people blowing their car horns all day...,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n413,10/25/2020,team joebiden this flag is proudly being displayed from our window. vote biden brooklyn newyork,United States of America,New York,NY,Joe Biden,1,0.3\r\n414,10/25/2020,than you mspattipatti joebiden bidenharris2020,United States of America,Georgia,GA,Joe Biden,1,0.6\r\n415,10/25/2020,thank you nevada gracias nevada vote biden,United States of America,New York,NY,Joe Biden,1,0.9\r\n416,10/25/2020,the american people need and deserve a leader who will give them the truth. -joebiden- trump's plan for dealing with covid-19 not much i would do different in other words realdonaldtrump has no plan joe biden has a plan  joebiden bidenharris2020,United States of America,Kansas,KS,Joe Biden,0,-0.2\r\n417,10/25/2020,the biden\xe2\x80\x99s are going to have a weird thanksgiving,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n418,10/25/2020,the bottom line is this trump knew and trump lied and now we have to pay the price.  bidencoalition biden demcastca demcast flipitblue,United States of America,California,CA,Joe Biden,0,-0.2\r\n419,10/25/2020,the communist chinese loaned joebiden 5 million. chinabitchbiden ccp bidencrimefamiily ccpchina,United States of America,Florida,FL,Joe Biden,1,0.1\r\n420,10/25/2020,the difference between trump pence not giving a sht and someone who cares about the people he/she affects. vote2020 biden covid19 science sundaymotivation,United States of America,Texas,TX,Joe Biden,2,0\r\n421,10/25/2020,the entente of the uae saudiarabia bahrain and israel is fueled by fear of iran and sunni islamists. a biden administration will have to work with this alliance.,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n422,10/25/2020,the face of honesty integrity and leadership. biden bidenharrislandslide2020 bidenharris2020,United States of America,Kentucky,KY,Joe Biden,1,0.5\r\n423,10/25/2020,the fbi has hunterbiden's laptop. they and many others have a copy of the disk containing thousands of emails. these emails have been vetted. they clearly show that both hunter and his father joebiden were on the take from the communist chinese and ukraine. twittercensored,United States of America,California,CA,Joe Biden,0,-0.1\r\n424,10/25/2020,the latest revelations show team obama invented the whole russiagate scandal clinton biden  via nypost,United States of America,New York,NY,Joe Biden,0,-0.2\r\n425,10/25/2020,the lincoln project mocks trump's past as a pitchman with a fake retro commercial mocking trump pushing an experimental covid-19 treatment.   debate bidencoalition biden demcastca demcast,United States of America,California,CA,Joe Biden,0,-0.4\r\n426,10/25/2020,the love - black eyed peas and jennifer hudson  via youtube wynonnaearp this is the best campaign video ever. joebiden,United States of America,California,CA,Joe Biden,1,0.6\r\n427,10/25/2020,the new hampshire union leader a conservative-leaning newspaper has rejected trump and endorsed joe biden for president despite its century-long history of backing republicans. in backing biden the newspaper endorsed its first democrat in 100 years.,United States of America,California,CA,Joe Biden,0,-0.4\r\n428,10/25/2020,the numbers below are what facts look like. share them with people who think 'beliefs' are the same as 'facts.'   bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,0,-0.3\r\n429,10/25/2020,the odds are that a potential joebiden administration will have neither the means nor the will to confront arab autocracies.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n430,10/25/2020,the rallies caravans flotillas and every imaginable demonstration of intense support tell the story better than any words. trump\xe2\x80\x99s support has an intensity that the biden campaign only dreams of replicating. \xe2\x9e\xa1\xef\xb8\x8f latest realclearnews column,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n431,10/25/2020,the unionleader endorses joebiden.  that ones gotta hurt realdonaldtrump \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,Massachusetts,MA,Joe Biden,0,-0.3\r\n432,10/25/2020,the unspectacular excellence of joebiden\xe2\x80\x99s slow and steady campaign trump has left america exhausted sundaymorning,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n433,10/25/2020,thebigguy \xe2\x81\xa6joebiden\xe2\x81\xa9 biden hunterbiden hunterbidenslaptop hunterslaptop \xe2\x81\xa6cnnbrk\xe2\x81\xa9 \xe2\x81\xa6cnn\xe2\x81\xa9 \xe2\x81\xa6cnni\xe2\x81\xa9 \xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 trump2020 \xe2\x81\xa6seanhannity\xe2\x81\xa9 \xe2\x81\xa6tuckercarlson\xe2\x81\xa9 \xe2\x81\xa6ingrahamangle\xe2\x81\xa9 \xe2\x81\xa6realrlimbaugh\xe2\x81\xa9 trump,United States of America,New York,NY,Joe Biden,2,0\r\n434,10/25/2020,thehill realdonaldtrump did you vote for joebiden cause we need a real leader in this country,United States of America,New York,NY,Joe Biden,0,-0.1\r\n435,10/25/2020,thejtlewis sooo are you saying trump is losing... biden,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n436,10/25/2020,there is only one america   bidencoalition biden demcastca demcast flipitblue,United States of America,California,CA,Joe Biden,0,-0.1\r\n437,10/25/2020,this ad offers a great contrast between trump\xe2\x80\x99s hate and lies with biden\xe2\x80\x99s message of hope love for all americans regardless of party and genuine ability to care. trump has caused so much damage. i am proud to support joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n438,10/25/2020,this article is about china's socialcreditsystem but if biden gets elected and america has socializedmedicine will america adopt japan's strict health requirements for national health insurance  such as seeing a dietitian &amp; counsellor  orwellian,United States of America,Minnesota,MN,Joe Biden,0,-0.3\r\n439,10/25/2020,this is a good read. i wish more people didn\xe2\x80\x99t vote solely on whether a candidate had a d or an r at the end of their name. i\xe2\x80\x99m a republican voting for biden  sundaythoughts trumpisnotamerica,United States of America,Utah,UT,Joe Biden,1,0.1\r\n440,10/25/2020,this is exactly what any president of the united states should believe say and act on. bidenharrislandslide2020 biden voteearlyday votebluedownballot,United States of America,California,CA,Joe Biden,1,0.2\r\n441,10/25/2020,this is how our candidate treats people with disabilities. the man currently occupying our white house has proved he will not show kindness empathy or humanity. joebiden joebidensneighborhood humanforpresident,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n442,10/25/2020,this is sick.  biden pelosi china,United States of America,New York,NY,Joe Biden,2,0\r\n443,10/25/2020,this is the crazy people voting for joebiden,United States of America,Tennessee,TN,Joe Biden,0,-0.6\r\n444,10/25/2020,this is the oneeeee it\xe2\x80\x99s never been more important to vote guys. joebiden,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n445,10/25/2020,this is the problem. there is no weapon here until this man pulls it out and turns this into an armed confrontation. he is fully confident there is no law enforcement nearby that could shoot a man with a gun pointing it at unarmed civilians. thats a problem. biden voteblue2020,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n446,10/25/2020,this was a year ago today rt joebiden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n447,10/25/2020,thomaskaplan katieglueck what are the odds biden will test positive for cv-19 around next weekend pulling out all stops by going for the sympathyvote.,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n448,10/25/2020,timcast if biden loses kamala harris will give biden the kiss of death \xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,Missouri,MO,Joe Biden,0,-0.1\r\n449,10/25/2020,timmurtaugh biden always yelling always angry always lying. perfect democrat.,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n450,10/25/2020,trump apunta a la pol\xc3\xadtica energ\xc3\xa9tica de biden biden trump,United States of America,Florida,FL,Joe Biden,2,0\r\n451,10/25/2020,trump biden bidenleaks bidentapes trump2020 trump2020tosaveamerica,United States of America,Illinois,IL,Joe Biden,2,0\r\n452,10/25/2020,trump reacts to hunter bidens big secret trump biden scandal vote2020,United States of America,California,CA,Joe Biden,0,-0.3\r\n453,10/25/2020,trump speaks at event on 'supporting law enforcement' in wisconsin  via youtube promisesmadepromiseskept buildthewall backtoschool blacksfortrump biden socializedmedicine calfires realgavinewsom.,United States of America,California,CA,Joe Biden,0,-0.3\r\n454,10/25/2020,trump to vote in florida before hitting campaigntrail biden heads to pennsylvania,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n455,10/25/2020,truth. vote biden,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n456,10/25/2020,tunein monday 830am almoraradiotv radio analysis realdonaldtrump joebiden  election decision2020 florida vote republican  democrats mondaymotivation election2020 elections,United States of America,Florida,FL,Joe Biden,2,0\r\n457,10/25/2020,tweet from one year ago. trumpfailed trumplied220kdied votebluetosaveamerica bidenharris2020 joebiden,United States of America,Tennessee,TN,Joe Biden,2,0\r\n458,10/25/2020,two factors behind second thoughts on a steepening ust yield curve  1 fiscal stimulus pre-nov 3 doesn't seem to be happening; 2 a biden administration unlikely to create the extent of stimulus markets expect / fear b/c of its impact on bond yields &amp; housing 2 / 2,United States of America,California,CA,Joe Biden,0,-0.4\r\n459,10/25/2020,typicalpolitician joebiden,United States of America,Louisiana,LA,Joe Biden,1,0.3\r\n460,10/25/2020,umanalytic it's now 61% of all trump butt lickers are secretly voting for biden in droves...,United States of America,Colorado,CO,Joe Biden,0,-0.6\r\n461,10/25/2020,undecidedvoters joebiden biden trump2020,United States of America,Texas,TX,Joe Biden,1,0.3\r\n462,10/25/2020,unlike the current white house occupant bidenhasaplan to tackle covid combat gun violence &amp; address many other social ills.  but first we have to elect biden. vote now &amp; encourage your friends &amp; family to do the same. talk about it post about it. let\xe2\x80\x99s make this happen.,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n463,10/25/2020,vote for biden if want corruption and another career politician and you like being lied to by the media making you think everything is good. otherwise  wakeup goodmorning  vote voteredtosaveamerica2020 election2020,United States of America,California,CA,Joe Biden,0,-0.5\r\n464,10/25/2020,vote votehimout2020 voteearly voteearlyday votebiden biden bidenharris2020,United States of America,California,CA,Joe Biden,1,0.3\r\n465,10/25/2020,votebymail voters strongly favor biden; but early in-person voters somewhat less so. electionday voters decidedly favor trump. considering most mail-in votes will be counted in advance there is more likely to be no \xe2\x80\x9cmirage\xe2\x80\x9d or possibly a \xe2\x80\x9cblue mirage\xe2\x80\x9d than a red one.,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n466,10/25/2020,voted today biden bidenharris2020,United States of America,Texas,TX,Joe Biden,1,0.2\r\n467,10/25/2020,voteearlyinperson biden,United States of America,New York,NY,Joe Biden,1,0.3\r\n468,10/25/2020,votetrumpout biden,United States of America,New Jersey,NJ,Joe Biden,1,0.3\r\n469,10/25/2020,walkaway walkawayfromdemocrats biden bidiots,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n470,10/25/2020,was f\xc3\xbcr ein starkes und bewegendes wahlkampf video. das beste bisher unbedingt anschauen votelove joebiden backeyedpeas iamjhud,United States of America,District of Columbia,DC,Joe Biden,1,0.8\r\n471,10/25/2020,washingtonpost a job he\xe2\x80\x99s been training for for decades. joebiden votebidenharristosaveamerica,United States of America,California,CA,Joe Biden,1,0.4\r\n472,10/25/2020,we are building a coalition of voters ready to mobilize if donald trump refuses to accept the results of the 2020 presidential election.\xe2\x80\x9d   joebiden bidenharrislandslide2020 bidencoalition demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,0,-0.2\r\n473,10/25/2020,we have a massive student loan crisis in this country. joebiden biden a kid from scranton who went to public schools understands the crisis and has a plan to fix it. thank you debtcrisisorg for bringing attention to this issue. cancelstudentdebt,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n474,10/25/2020,we must give joebiden and kamalaharris a landslide victory. we're not voting for a political party; this year we're voting for a system of government.     joebiden bidenharrislandslide2020 bidencoalition demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,0,-0.1\r\n475,10/25/2020,we will bury - and throw doubt on the source of - this inconvenient story for biden regardless of the facts. - washingtonpost earning the fakenews title every day,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n476,10/25/2020,we've put together i think the most extensive &amp; inclusive voter fraud organization in the history of american politics. said joebiden today in pa,United States of America,New York,NY,Joe Biden,0,-0.6\r\n477,10/25/2020,well obviously i\xe2\x80\x99m with brad...i\xe2\x80\x99m always with brad biden bidenharris2020,United States of America,California,CA,Joe Biden,1,0.2\r\n478,10/25/2020,what's the rush in voting for supremecourtnominee i don't understand y the rush why not wait for biden list also why aren't you respecting her final wish rbgsdyingwish rbg notoriousrbg. when gop goes back on their words from 2016 how can u trust them gophypocrites,United States of America,New York,NY,Joe Biden,0,-0.7\r\n479,10/25/2020,what's worse after they surrender they are actively endangering 10s of 1000s of people by traveling from maskless rallies with no social distancing to another. explosions of new covid cases in all the cities trump has had a superspreader rally. trumpfailedamerica. biden,United States of America,New York,NY,Joe Biden,2,0\r\n480,10/25/2020,when you're as senile as joebiden the truth is bound  to inadvertently slip out. voterfraud maga2020,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n481,10/25/2020,where biden succeeds trumpisaloser the wh has thrown in the towel at fighting the trumpvirus. we need a bidenharrislandslide2020 to bring in science facts and sanity to get our country back,United States of America,Utah,UT,Joe Biden,0,-0.4\r\n482,10/25/2020,where is joebiden  whereishunter  oh. old joe put another lid on it today. hidinbiden is afraid and in his basement eating his pudding again. he is so slow lame and weak. why is anyone voting democrat this time,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n483,10/25/2020,where's your mask joebiden,United States of America,North Carolina,NC,Joe Biden,0,-0.3\r\n484,10/25/2020,whether you are a republican pro donaldtrump or a democrat in favor of joebiden every vote counts for a better future of the usa under the right leadership everyone of us must vote\xe2\x80\xbc\xef\xb8\x8frayzod composer conductor concertpianist musician pianist loveyouall \xf0\x9f\x8c\xb9\xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Joe Biden,1,0.4\r\n485,10/25/2020,whether you support joebiden or therealdonaldtrump earlyvoting pairs well with our patriotic election fudge\xe2\x80\x94eat your party\xe2\x80\x99s flavor or that of the opposing party   madeinusa bethesda mocomade supportsmallbusiness,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n486,10/25/2020,who built the cages joe who joebiden donaldtrump cages whobuilthecagesjoe,United States of America,California,CA,Joe Biden,0,-0.2\r\n487,10/25/2020,who can answer my question on california prop15 elections2020 california joebiden kamalaharris yeson15 noon15,United States of America,California,CA,Joe Biden,2,0\r\n488,10/25/2020,why are they so convinced we give two shits what all these \xe2\x80\x9c celebrities \xe2\x80\x9c  think. or all they all paid actors for biden. noonecares,United States of America,Nevada,NV,Joe Biden,0,-0.1\r\n489,10/25/2020,why the solyndra mistake is still important to remember \xe2\x80\x93 solyndra misled the feds out of half a billion why should you care  / greendeal biden obama / fortune,United States of America,California,CA,Joe Biden,0,-0.8\r\n490,10/25/2020,windmiloncology tell her may as well drive separate ways cuz you\xe2\x80\x99re voting for joebiden \xf0\x9f\x98\x8a.,United States of America,Nevada,NV,Joe Biden,0,-0.2\r\n491,10/25/2020,wirthfollowing realacaldwell check it out vote votebidenharris2020 votebiden scottatlasisamurderer trumpisaloser trumpvirus trumpgenocide  biden harris,United States of America,California,CA,Joe Biden,1,0.3\r\n492,10/25/2020,with the spikes in covid i\xe2\x80\x99m thinking i might better vote early \xf0\x9f\x98\xb3. so many people here vote early that i never have a wait to vote on election day but scared that too big a rise could affect polls voteearly votehimout vote bidenharrislandslide2020 biden harris,United States of America,Minnesota,MN,Joe Biden,0,-0.4\r\n493,10/25/2020,wonder what mitt has to hide. been to china ukraine or epstein\xe2\x80\x99s island mitt joebiden joebiden2020 joerogan democrats republican mittromney nancypelosi china  washington d.c.,United States of America,Arizona,AZ,Joe Biden,2,0\r\n494,10/25/2020,wow exactly a year ago today. biden tried to tell us g.,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n495,10/25/2020,wow.  you would think biden would get more credit for this. biden,United States of America,Florida,FL,Joe Biden,1,0.2\r\n496,10/25/2020,wsj and yet wsj in all seriousness and in their op-eds they still support these clowns who are supposedly leading our country. maybe give that a re-think joebiden joewillleadus,United States of America,Virginia,VA,Joe Biden,0,-0.4\r\n497,10/25/2020,wsj this is who our country needs as president. this is the leader we need. \xe2\x80\x9crules for happiness something to do someone to love something to hope for\xe2\x80\x9d  empathy joebiden  love courage hope america weneedjoe,United States of America,Minnesota,MN,Joe Biden,1,0.4\r\n498,10/25/2020,yes celebrate voting i'm gonna guess these folks are voting for biden because all the trump voters i've seen are joyless.,United States of America,California,CA,Joe Biden,0,-0.7\r\n499,10/25/2020,zoom meeting 885 3835 8348 -- comics for joebiden -- happening now -- hosted by paulhallasy,United States of America,New Jersey,NJ,Joe Biden,1,0.2\r\n500,10/25/2020,\xe2\x80\x9cin the debate this past thursday trump went hard on biden about the 1994 crime bill and he wasn\xe2\x80\x99t wrong. this bill put 10\xe2\x80\x99s of thousands of black men behind bars and destroyed thousands of families\xe2\x80\x9d\xe2\x80\x94- minishmael noisundays election vote blackagenda,United States of America,Illinois,IL,Joe Biden,0,-0.5\r\n501,10/25/2020,\xf0\x9f\x91\x87\xf0\x9f\x8f\xbb\xf0\x9f\x91\x87\xf0\x9f\x8f\xbb\xf0\x9f\x91\x87\xf0\x9f\x8f\xbbi am a senior. i am a boomer. i support joebiden  with every fiber of my being.  votebidenharris2020 tr*mp hates us. tr*mp views us as expendable. wake up guys. floridaforbiden,United States of America,Illinois,IL,Joe Biden,2,0\r\n502,10/26/2020,bidencrimefamiily biden trump2020,United States of America,Colorado,CO,Joe Biden,1,0.3\r\n503,10/26/2020,.realdonaldtrump to lesleyrstahl wah wah wah...you're asking me such tough questions you'd never ask joebiden such tough questions and then we see her asking biden a range of tough questions. hey trump...must you always end up looking like a total fool 60minutes,United States of America,New York,NY,Joe Biden,0,-0.5\r\n504,10/26/2020,2/2 historically pollsters have assumed respondents\xe2\x80\x99 refusals or lying is random and thus unimportant but systematic trump voter refusal or lying would inflate biden\xe2\x80\x99s percentage and underestimate trump\xe2\x80\x99s strength,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n505,10/26/2020,60minutes god save us from this woman. her nervous laugh masks total and complete ignorance on the issues and a refusal admit her past positions. kamala biden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n506,10/26/2020,60minutes norahodonnell hits biden with court-packing again no answer. asks about hunter\xe2\x80\x99s laptop he calls it a smear asks about age and mental acuity.  it\xe2\x80\x99s as if the show is trying to regain a shred of credibility.,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n507,10/26/2020,60minutesinterview joebiden bidencrimefamiily biden2020 joebidensneighborhood,United States of America,Florida,FL,Joe Biden,1,0.3\r\n508,10/26/2020,8 days. let's bring it home. biden harris bidenharris voteblue armyofthedecent,United States of America,Puerto Rico,PR,Joe Biden,1,0.1\r\n509,10/26/2020,9 days to go for the final round of biden vs trump....election2020,United States of America,New York,NY,Joe Biden,0,-0.1\r\n510,10/26/2020,a $3 billion takeover in canada\xe2\x80\x99s oil sands is essentially a hedge against a biden win  oilsands oilandgas oilprice biden election2020 esg climatechange climate by roberttuttle,United States of America,California,CA,Joe Biden,0,-0.2\r\n511,10/26/2020,a bombshell exclusive on hunterbiden and joebiden from realdrgina of realavnews at the top of the hour on kmcradio,United States of America,New York,NY,Joe Biden,1,0.2\r\n512,10/26/2020,a floridaman allegedly took a bulldozer from a construction site and destroyed the joebiden signs in full view of people who live in the neighborhood.,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n513,10/26/2020,a vote for biden and harris is a vote for diseasesandconditions and pedophiles,United States of America,Iowa,IA,Joe Biden,1,0.1\r\n514,10/26/2020,a year ago joebiden posted this tweet. joewillleadus because he looks ahead gets smart people to make smart decisions and doesn't spend all his time watching fox news.  foxandfriends bidencares,United States of America,California,CA,Joe Biden,1,0.2\r\n515,10/26/2020,america couldn't handle obama i highly doubt they are ready for a senator that was voted more liberal than bernie sanders. millions of ballots are in already and i'm pretty sure trump has a good idea of how many votes they are getting in the mail-in process. trump biden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n516,10/26/2020,analysis biden's lead over trump is holding while clinton's was collapsing at this point in 2016. trump biden clinton cnn,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n517,10/26/2020,and after one fall tiny heart attack or they just deem joebiden unfit with his dementia this psychobitch would be president. how crazy would that be none of you liked kamalaharris in the democrat primaries. she got like 2% of votes and now you wana make her president \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,California,CA,Joe Biden,0,-0.6\r\n518,10/26/2020,ap fact check trump and his familiar falsehoods  trump biden election2020,United States of America,New Mexico,NM,Joe Biden,0,-0.1\r\n519,10/26/2020,before you vote joebiden ask yourself one simple question what has this imbecile ever done for our country in 47 years besides enriching himself,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n520,10/26/2020,biden,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n521,10/26/2020,biden,United States of America,New York,NY,Joe Biden,1,0.3\r\n522,10/26/2020,biden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n523,10/26/2020,biden &amp; beijing 10 26 2020 - youtube\xe2\x80\x94curtis ellis of america first policies joins newsmax tv to discuss why joebiden fails to recognize the threat the people's republic of china poses to the u.s.,United States of America,North Carolina,NC,Joe Biden,0,-0.5\r\n524,10/26/2020,biden &amp; harris claim to be catholics so you would think they would support judge barrett an exceptional person of character. what does their stand communicate about their character scotus biden,United States of America,California,CA,Joe Biden,0,-0.3\r\n525,10/26/2020,biden acusa a donald trump de rendirse ante el covid-19 -  evnews joebiden donaldtrump elecciones2020 covid19,United States of America,Florida,FL,Joe Biden,2,0\r\n526,10/26/2020,biden continues to hold a solid lead over trump in pa. with eight days to go poll says  via americanpolicynews.com biden trump trumpislosing bidenharris2020,United States of America,New York,NY,Joe Biden,1,0.3\r\n527,10/26/2020,biden experienced and hardened by adversity can save america.  part 1,United States of America,New York,NY,Joe Biden,1,0.2\r\n528,10/26/2020,biden fracking greennewdeal,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n529,10/26/2020,biden i mean trump acceptance speech. ruth you\xe2\x80\x99re the best.,United States of America,California,CA,Joe Biden,1,0.3\r\n530,10/26/2020,biden is a maniac,United States of America,Nevada,NV,Joe Biden,0,-0.2\r\n531,10/26/2020,biden is a senile joke. the treasonous fakenews sold us out to the ccp,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n532,10/26/2020,biden is coming off as creepy on the 60minutes interview. kamalaharris as disingenuous at best.,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n533,10/26/2020,biden isn\xe2\x80\x99t campaigning. obama is &amp; he\xe2\x80\x99s making upside down claims abt obama/clinton/kerry foreignpolicy. me \xe2\x80\x9cthey generally treated democratic allies &amp; pro-democracy groups ungenerously while treating adversaries &amp; anti-democratic groups generously.\xe2\x80\x9d,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n534,10/26/2020,biden itrtg retweet,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n535,10/26/2020,biden knew about business dealings.  hunterbidenlaptop  hunterbidenemails,United States of America,Colorado,CO,Joe Biden,1,0.4\r\n536,10/26/2020,biden looks very competitive in new southern swingstate polls  via voxdotcom news electionday elections2020 2020election bidenharris2020 bidenharrislandslide2020 trump polling florida northcarolina texas georgia trumpcollapse,United States of America,Texas,TX,Joe Biden,1,0.5\r\n537,10/26/2020,biden may win the elections with trump\xe2\x80\x99s ideas like made in america and fracking because ideas do not vote people do. if people do not like you they don\xe2\x80\x99t care about your ideas.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n538,10/26/2020,biden mondaymotivation mondaymood mondaymorning mondayvibes vote2020 voteblue2020,United States of America,New York,NY,Joe Biden,1,0.4\r\n539,10/26/2020,biden releases proof trump will lose election 100%  via youtube joebiden drbiden  kamalaharris votehimout2020 votejoebidentosaveamerica joebiden,United States of America,Tennessee,TN,Joe Biden,0,-0.5\r\n540,10/26/2020,biden stretches lead over trump in michigan wisconsin and pennsylvania poll thehill,United States of America,Texas,TX,Joe Biden,2,0\r\n541,10/26/2020,biden supporters attack jewsfortrump parade,United States of America,Missouri,MO,Joe Biden,0,-0.2\r\n542,10/26/2020,biden \xf0\x9f\xa7\xa2\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\x91\x87,United States of America,Washington,WA,Joe Biden,1,0.4\r\n543,10/26/2020,bidenharris2020 bidenharris2020landslide biden,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n544,10/26/2020,billoreilly leftists like lesliestahl believe they can invent truth merely by speaking. biden said \xe2\x80\x9cwe choose truth over facts.\xe2\x80\x9d,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n545,10/26/2020,blue wave in texas latest poll shows biden up 3 points with 9 days until election | election2020 vote vote2020 elections votetexas,United States of America,Texas,TX,Joe Biden,2,0\r\n546,10/26/2020,bradpitt  celebrates joe biden as \xe2\x80\x9cpresident for all americans\xe2\x80\x9d in new campaign ad  via yahoo,United States of America,New York,NY,Joe Biden,1,0.1\r\n547,10/26/2020,breaking exclusive text messages show vp biden and his wife colluded to suppress hunter's actions with a certain minor joebiden bidenharris2020 maga trump2020,United States of America,California,CA,Joe Biden,0,-0.5\r\n548,10/26/2020,breitbartnews he has refrained from going after the criminal trumpspawn. eric was deposed for a fraud case 2 weeks ago. ivanka under multiple investigations. all 3 had to pay up for stealing from charity. but joebiden is too much a father to attack the other guy\xe2\x80\x99s kids despite lies about his,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n549,10/26/2020,but don\xe2\x80\x99t worry demoncrats biden\xe2\x80\x99s up 16 in california just ask cnn,United States of America,Louisiana,LA,Joe Biden,0,-0.1\r\n550,10/26/2020,can you imagine a world where realdonaldtrump supporters attacked blacksforbiden or blacklivesmatter for supporting biden threw eggs and rocks at them. pepper sprayed them. attacked them. i can\xe2\x80\x99t. joebiden kamalaharris,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n551,10/26/2020,cher sings 'happiness is a thing called joe' at joebiden benefit \xe2\x80\x94 listen,United States of America,Illinois,IL,Joe Biden,2,0\r\n552,10/26/2020,chinese group behind release of biden tapes claim bidens offered up cia agents who went missing in china in 2010 -2012 biden,United States of America,California,CA,Joe Biden,0,-0.3\r\n553,10/26/2020,claytravis gerrycallahan menemshasunset3 trumpcollapse desperation trumpislosing election2020 bidenharris2020 biden trump nfl trending,United States of America,Massachusetts,MA,Joe Biden,0,-0.5\r\n554,10/26/2020,cnbc barely explores the explosive nature of a trump win to the stock market dow dow40k stocks wallstreet economy economics media polls biden stimulus,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n555,10/26/2020,coming up  the exclusive on hunterbiden and joebiden you cannot miss from realdrgina of realavnews on kmcradio,United States of America,New York,NY,Joe Biden,1,0.9\r\n556,10/26/2020,damnit joe\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f joebiden who is george and why would we would we have 4 more years of him election2020  biden trump wtf,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n557,10/26/2020,dear god  deliver america from biden/harris; perhaps the most corrupt two persons on a ticket for our highest offices in our nation's history  allow us a huge republican victory up and down the ballot  in christ's name amen.,United States of America,Louisiana,LA,Joe Biden,0,-0.2\r\n558,10/26/2020,demcast wtpsenate wtpblue wtpbiden blm msnbcl msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n559,10/26/2020,demcast wtpsenate wtpblue wtpbiden blm msnbcl msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n560,10/26/2020,demcast wtpsenate wtpblue wtpbiden blm msnbcl msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n561,10/26/2020,devastating to the biden campaign,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n562,10/26/2020,dinesh may have a point do your dd prior to your vote. hunterbidenlaptop hunterbidenemails joebiden bidenharris,United States of America,California,CA,Joe Biden,2,0\r\n563,10/26/2020,dknight10k politically it's been horrendous hard to turn on the news but i realized that i'm stronger than i thought i was and that my marriage after  37 years together is as strong as ever joebiden,United States of America,Nevada,NV,Joe Biden,1,0.6\r\n564,10/26/2020,don\xe2\x80\x99t let up. do what you can all you can to bring it home for joe. biden will lead us forward. voteearly trumpliedpeopledied votebluetoendthisnightmare bidenharris2020landslide,United States of America,Massachusetts,MA,Joe Biden,1,0.4\r\n565,10/26/2020,dougnbc mmurraypolitics i do not jest when i say this. with the craziness surrounding trump at the moment trump holding rallies \xe2\x80\x9cbenefits joebiden.\xe2\x80\x9d rest assured trump is going to attack lesliestahl and further alienate suburbanhousewives. take a backseat joe &amp; watch \xe2\x80\x9ctrump stomp for joe\xe2\x80\x9d biden,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n566,10/26/2020,edward snowden persecuted by biden  via youtube snowden bidenleaks biden johnkerry,United States of America,New York,NY,Joe Biden,2,0\r\n567,10/26/2020,either biden can\xe2\x80\x99t remember or he\xe2\x80\x99s lying. both r bad... which one is it....bidenharris2020 vote2020 latinasfortrump truthmatters truth,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n568,10/26/2020,election2020  elections2020  joebiden kamalaharris strongertogether onenationundergod with freedom justice and equalopportunities to all,United States of America,Georgia,GA,Joe Biden,2,0\r\n569,10/26/2020,election2020 poll debates2020 trump biden,United States of America,Illinois,IL,Joe Biden,1,0.2\r\n570,10/26/2020,emilyelarsen no comprendo why people are in denial oil reserves in the usa are approximately 10 years left. you think that number is inaccurate let's multiply x 3. that takes us to 2050 for oil in usa to wind down. those jobs need to be transitioned anyway. vote joebiden pennsylvania,United States of America,New York,NY,Joe Biden,0,-0.3\r\n571,10/26/2020,erinmperrine green energy will create a job boom in this country greater than any we've ever seen before.  it will by the engine pulling the prosperity express into the future...and joebiden will be in the engineer's seat.,United States of America,Missouri,MO,Joe Biden,1,0.5\r\n572,10/26/2020,evidence that biden is a better choice for our economy. votebluedowntheballot,United States of America,New York,NY,Joe Biden,1,0.3\r\n573,10/26/2020,excellent thread by benrileysmith of telegraph on the future of the us-uk trade talks in a potential biden administration.,United States of America,District of Columbia,DC,Joe Biden,1,0.8\r\n574,10/26/2020,excellent \xe2\x80\x94&gt; conservative new hampshire paper backs biden in first democratic endorsement in over 100 years  newspaper politics bidenharrislandslide2020 votehimout2020,United States of America,Missouri,MO,Joe Biden,1,0.6\r\n575,10/26/2020,firedonaldtrump and save america from his despotic and corrupt administration.  biden,United States of America,California,CA,Joe Biden,2,0\r\n576,10/26/2020,foofighters joebiden kamalaharris aww \xf0\x9f\xa5\xb0 there are so many reasons why i love the foos so much  thank you \xf0\x9f\x99\x8f\xf0\x9f\x8f\xbb thank you biden/harris alreadyvoted,United States of America,California,CA,Joe Biden,1,0.9\r\n577,10/26/2020,foxnews thank you for proving no truth to biden smear   foxandfriends foxnews,United States of America,California,CA,Joe Biden,0,-0.1\r\n578,10/26/2020,from cardib instagram post she is yellow gloved. what does this say about images of young black women and joebiden choosing to do  a campaign interview with her wap are initials for \xe2\x80\x98wet as- pu\xe2\x80\x94y. pathetic. video is worse,United States of America,New York,NY,Joe Biden,0,-0.6\r\n579,10/26/2020,from the archives  jeff flake joins \xe2\x80\x98republicans for biden\xe2\x80\x99 effort alongside dozens of former  biden jeffflake,United States of America,New York,NY,Joe Biden,1,0.1\r\n580,10/26/2020,from the archives  universal mail-in ballots the domestic abuser\xe2\x80\x99s best friend  biden democrats,United States of America,New York,NY,Joe Biden,0,-0.1\r\n581,10/26/2020,from thedailybeast whitehouse admits it is \xe2\x80\x98not going to control pandemic joebiden called markmeadows' comment \xe2\x80\x9cstunning\xe2\x80\x9d while medical experts said presidenttrump has \xe2\x80\x9cblood on his hands.\xe2\x80\x9d,United States of America,New York,NY,Joe Biden,0,-0.7\r\n582,10/26/2020,funniest best thing i have seen in a long time make viral. how to spot a zombie joebiden walkingdead  election2020 presidentialelection,United States of America,New York,NY,Joe Biden,1,0.5\r\n583,10/26/2020,genstrikenews another leftist kidding themselves that biden is in any way better than trump. the far right is laughing at you.,United States of America,Mississippi,MS,Joe Biden,0,-0.2\r\n584,10/26/2020,go vote biden,United States of America,Missouri,MO,Joe Biden,1,0.2\r\n585,10/26/2020,god has now taken to ringing church bells every time joe biden begins to lie.... biden trump vote election,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n586,10/26/2020,gop realdonaldtrump oh no daddy putin threw don don under the bus donaldtrump joebiden vote,United States of America,New York,NY,Joe Biden,0,-0.7\r\n587,10/26/2020,great thread on trump's 4 years and on what biden may do...let's hope that even if trump gets re-elected he has to work with a democratically controlled house and senate\xf0\x9f\x98\x8a...that'd fun to see election2020 votebluedownballot,United States of America,Pennsylvania,PA,Joe Biden,1,0.9\r\n588,10/26/2020,gtconway3d feels good no  if ever there was a distinction it\xe2\x80\x99s this election. vote joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n589,10/26/2020,he lies and lies and lies. then after he\xe2\x80\x99s done lying guess what he does lies again. please vote for biden  bidenharris biden2020 vote voteblue votebluetosaveamerica dumptrump dumptrump2020 biden,United States of America,New York,NY,Joe Biden,0,-0.5\r\n590,10/26/2020,he wouldn't know a suburb unless he took a wrong turn --joebiden on trump 60minutes,United States of America,Pennsylvania,PA,Joe Biden,0,-0.6\r\n591,10/26/2020,help end the trump nightmare at  a crowdsourced grassroots project to display billboards in battleground states. dumptrump liarinchief biden bidenharris2020 racisttrump,United States of America,Oregon,OR,Joe Biden,2,0\r\n592,10/26/2020,here\xe2\x80\x99s the wrench in the engine of the democrats joebiden hillaryclinton barackobama caused 911 they raped and murdered middle east children so why would u want someone like that for president votetrump donaldtrump,United States of America,California,CA,Joe Biden,0,-0.8\r\n593,10/26/2020,hey cortessteve...nothing screams \xe2\x80\x9cwe\xe2\x80\x99re gonna lose georgia\xe2\x80\x9d more than \xe2\x80\x9chere\xe2\x80\x99s why biden won\xe2\x80\x99t win georgia\xe2\x80\x9d tweets,United States of America,New York,NY,Joe Biden,0,-0.6\r\n594,10/26/2020,hey pa. joebiden won't hold back assistance when you need it.,United States of America,New Hampshire,NH,Joe Biden,0,-0.2\r\n595,10/26/2020,hospital staff in utah and el paso tx are about to start prioritizing who can have lifesaving care because hospitals are at capacity- and by thanksgiving this is likely going to be another \xe2\x80\x9cnew normal.\xe2\x80\x9d  45 had no plan and continues to have no plan. dumptrump resist biden,United States of America,Texas,TX,Joe Biden,2,0\r\n596,10/26/2020,how many ways is joebiden going to insult me for supporting trump2020  1st the old codger said i'm not black. then he said my community is not diverse. now he's calling me a chump. he also told a fellow citizen he's full of sh**. this is character,United States of America,Colorado,CO,Joe Biden,0,-0.8\r\n597,10/26/2020,hunter should flip on joebiden that would be epic crookedjoebiden bidencrimefamiily bidenleaks hunterbidenlaptop,United States of America,Florida,FL,Joe Biden,1,0.1\r\n598,10/26/2020,i hope similarly the biden team has a list of smart and brave individuals like fiona hill peter strzok and alexander vindman who were either fired by trump or resigned in protest who will now be rewarded with a key post or a promotion. resisters vote joebiden,United States of America,New York,NY,Joe Biden,1,0.1\r\n599,10/26/2020,i love the diversity of the well-known people who are supporting biden their different places in life and their different points of view,United States of America,Texas,TX,Joe Biden,1,0.9\r\n600,10/26/2020,i think the media should not spend time covering the fact that trump's giving rallies potentially spreading the coronavirus. i think they should be showing america trump's greatest hits before election day. cspanwj cnn msnbc biden trumpliespeopledie  trumpcrimefamily,United States of America,Nevada,NV,Joe Biden,0,-0.2\r\n601,10/26/2020,i would love for a democrat to please explain how biden only has a stutter. how can they say he does not have dementia when he cant recall the name of the current president they hate trump. ok  but how does that make biden electable do they not know he would be replaced,United States of America,New Jersey,NJ,Joe Biden,0,-0.4\r\n602,10/26/2020,i've seen the biden laptop. how is hunterbiden not in custody right now fbi we have a two tiered justice system. equaljustice,United States of America,California,CA,Joe Biden,0,-0.1\r\n603,10/26/2020,if elected joebiden and his allies are preparing to pass climate change legislation piece by piece \xe2\x80\x94 knowing full well that the candidate's $2 trillion plan would be a tough sell. nytimes,United States of America,Montana,MT,Joe Biden,0,-0.1\r\n604,10/26/2020,in a biden loss i'm going to enjoy showing the screenshots of folks telling me to vote for trump or stay home. i should have been taking &amp; archiving screenshots long ago but i started late so now i have 2.,United States of America,California,CA,Joe Biden,0,-0.3\r\n605,10/26/2020,in this poll joebiden was up three in pennsylvania before debate... post debate biden is now down 2.9% in pa. election2020,United States of America,Georgia,GA,Joe Biden,2,0\r\n606,10/26/2020,is this guy calling texas for biden,United States of America,Louisiana,LA,Joe Biden,0,-0.4\r\n607,10/26/2020,is this why joebiden and hunterbiden are hiding,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n608,10/26/2020,ivankatrump please inform realdonaldtrump to have the dojph &amp; fbi to move forward rapidly on the investigation of hunter biden laptop hard drive whereas joebiden can be arrested prior to the election on 3 nov. 2020 for his criminal malfeasance.  gif = joebiden,United States of America,Colorado,CO,Joe Biden,0,-0.1\r\n609,10/26/2020,ivankatrump y'all talking about putinspuppet right also living a sweet life after getting hundreds of chinese patents aren't ya and stealing from children's cancer charity really how do y'all sleep at night trumpchinabankaccount trumptaxfraud trumpfamilycorruption biden,United States of America,New York,NY,Joe Biden,0,-0.6\r\n610,10/26/2020,jackposobiec all trump need is florida and ohio. win those two and he good. trump will be reelected. so it was written. so it shall be done. trump biden america vote ydsb,United States of America,Texas,TX,Joe Biden,1,0.1\r\n611,10/26/2020,jill biden whispers \xe2\x80\x9ctrump\xe2\x80\x9d ... watch her lips maga2020landslidevictory maga joebiden,United States of America,Florida,FL,Joe Biden,2,0\r\n612,10/26/2020,jim_jordan low energy wrong. protecting biden.,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n613,10/26/2020,joe biden appears to confuse trump with former president george w. bush | fox news maga2020,United States of America,Massachusetts,MA,Joe Biden,0,-0.6\r\n614,10/26/2020,joebiden,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n615,10/26/2020,joebiden,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n616,10/26/2020,joebiden,United States of America,South Carolina,SC,Joe Biden,1,0.3\r\n617,10/26/2020,joebiden attacked dr scott atlas a graduate of the university of chicago school of medicine and the former chief of neuroradiology at stanford university medical center just because biden only listen to the pro-lockdown crowd. election2020 covid19,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n618,10/26/2020,joebiden barackobama he don\xe2\x80\x99t like u he hates trump biden,United States of America,New York,NY,Joe Biden,0,-0.9\r\n619,10/26/2020,joebiden de...,United States of America,Arizona,AZ,Joe Biden,2,0\r\n620,10/26/2020,joebiden dementiajoe,United States of America,Michigan,MI,Joe Biden,1,0.3\r\n621,10/26/2020,joebiden election2020,United States of America,New York,NY,Joe Biden,1,0.3\r\n622,10/26/2020,joebiden floats rotating supremecourtjustices if he is elected  via nypost this and other out there proposals are simply because of amyconeybarrett's confirmation to the scotus. shortsighted politicalpandering ridiculous,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n623,10/26/2020,joebiden healthcare reform increasing the age young adults can stay on their parents plan mandating coverage for pre-existing conditions &amp; expanding substance abuse treatment etc. literally saved my life. i wouldn't be here today without obamacare. thank you obama &amp; biden aca,United States of America,Florida,FL,Joe Biden,1,0.7\r\n624,10/26/2020,joebiden holds slight lead over donaldtrump in florida and northcarolina polls  election2020,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n625,10/26/2020,joebiden hunterbiden realjameswoods,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n626,10/26/2020,joebiden is now running against georgebush.  or so he says.  jillbiden keeps a straight face. c'mon man are they freaking kidding me vote kamalaharris democrat earlyvoting union maga,United States of America,New Jersey,NJ,Joe Biden,0,-0.3\r\n627,10/26/2020,joebiden isn't up in wisconsin - once again the polls are wrong,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n628,10/26/2020,joebiden joebiden cmonman joechina crookedjoebiden bidencrimefamiily trump2020,United States of America,Texas,TX,Joe Biden,1,0.4\r\n629,10/26/2020,joebiden joewillleadus,United States of America,California,CA,Joe Biden,1,0.3\r\n630,10/26/2020,joebiden nothing important. trump is a billionaire who became a politician to make america great again. you are a politician who became a millionaire through questionable means thelordrebukeyou biden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n631,10/26/2020,joebiden on 60minutes is cool as a cucumber... \xf0\x9f\xa5\x92\xf0\x9f\xa5\x92\xf0\x9f\xa5\x92 60minutes biden joebiden bidenharris2020 biden2020 maddow bitmojimaddow bitmojibiden,United States of America,New York,NY,Joe Biden,1,0.4\r\n632,10/26/2020,joebiden on 60minutes proposes brutalizing companies with taxes to pay for free college apparently in some guilt fit over imagined institutional racism.,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n633,10/26/2020,joebiden voting for trump is a big mistake joebiden,United States of America,Mississippi,MS,Joe Biden,0,-0.8\r\n634,10/26/2020,joebiden where's hunter  he will be back if you win as potus. goodbye to tax breaks low gas prices we will be foreign dependent again joe has to take care of his family.  a socialized government coming.  bidenharris2020landslide biden hunterbiden ingrahamangle seanhannity,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n635,10/26/2020,joebiden x donaldtrump kamalaharris berniesanders barackobama michelleobama china,United States of America,Texas,TX,Joe Biden,2,0\r\n636,10/26/2020,joebiden \xf0\x9f\x97\xb3,United States of America,California,CA,Joe Biden,1,0.3\r\n637,10/26/2020,joebidenissick joebiden   joe biden cannot fix his own energy problem. why would we trust him with american energy,United States of America,Arizona,AZ,Joe Biden,0,-0.7\r\n638,10/26/2020,joeconchatv she should also press her about her questioning of joebiden and his admiration for segregationist senators.,United States of America,Maryland,MD,Joe Biden,0,-0.2\r\n639,10/26/2020,johncusack harmony71567 brave texans &amp; arizonans are risking their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n640,10/26/2020,just tested google. typed in trump and got all negative articles on the first page . typed biden of course got all positive. honest americans must join together to shut google twitter facebook and other denial of truth websites down permanently before it's too late.,United States of America,Tennessee,TN,Joe Biden,1,0.2\r\n641,10/26/2020,kamalaharris joebiden jillbiden sits quietly as joebiden calls trump george several times while speaking on tv.  they are old maybe she didn't notice.  77 vote unions4trump middleclass,United States of America,New Jersey,NJ,Joe Biden,0,-0.1\r\n642,10/26/2020,kamalaharris what are your thoughts on pedophilia; should the victim\xe2\x80\x99s rights be protected biden bidenharris2020 harris2020,United States of America,California,CA,Joe Biden,0,-0.4\r\n643,10/26/2020,last week of early voting in texas  then the big day comes  biden bidenharris2020tosaveamerica turntexasblue bidenharris2020,United States of America,Texas,TX,Joe Biden,2,0\r\n644,10/26/2020,leslie stahl biden propagandist.,United States of America,South Carolina,SC,Joe Biden,1,0.2\r\n645,10/26/2020,letswinthis vote bidenharrislandslide2020 biden \xf0\x9f\x99\x8c\xf0\x9f\x8f\xbd,United States of America,Ohio,OH,Joe Biden,1,0.5\r\n646,10/26/2020,life liberty &amp; levin 10/25/20 | fox news october 25 2020  via youtube  vp biden california china 5 million lost jobs. energy fracking racism pennsylvania trump2020landslide backtheblue lawandorder buildthewall maga,United States of America,California,CA,Joe Biden,0,-0.5\r\n647,10/26/2020,lines of invisible people wait days and hours for chance to attend joebiden rally,United States of America,Massachusetts,MA,Joe Biden,0,-0.6\r\n648,10/26/2020,listen up america and let kathryn hahn tell you how to prevent donald trump from stealing the election.  bidencoalition biden demcastca demcast flipitblue,United States of America,California,CA,Joe Biden,2,0\r\n649,10/26/2020,long-standing claims of joebiden corruption all but confirmed with hunter's emails  via nypost,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n650,10/26/2020,looking for white evangelicals\xe2\x80\x94a major news outlet wants to interview a white evangelical who voted for donaldtrump in 2016 but will vote for joebiden this year. if that's you plz message me and i'll put you in touch with the producer for that story.,United States of America,Illinois,IL,Joe Biden,2,0\r\n651,10/26/2020,lorrain22492203 hermitme1 the senators re-elections are joined at the hip with trump\xe2\x80\x99s fate.. or many of them are. hence we need a joebiden landslide,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n652,10/26/2020,make america super duper again trump biden vote november3rd tweet,United States of America,Maryland,MD,Joe Biden,2,0\r\n653,10/26/2020,man accused of stealing bulldozer to tear down biden signs in florida thehill,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n654,10/26/2020,mariamchughtai trump with all his flaws has many things to show for his re-election bid. no new wars lower taxes pro-business policies etc while democats couldn\xe2\x80\x99t even muster a decent candidate. biden is establishment candidate bt won\xe2\x80\x99t win. uselection2020 trump2020 election2020,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n655,10/26/2020,mel brooks has given his first-ever endorsement video for joebiden along with his son and grandson. read more,United States of America,California,CA,Joe Biden,1,0.3\r\n656,10/26/2020,michelleobama please my forever flousa please go to philadelphia for america 2020election  biden-harris,United States of America,California,CA,Joe Biden,1,0.1\r\n657,10/26/2020,mike_pence staff hit by covid19outbreak as biden says trump has surrendered to pandemic | reuters,United States of America,California,CA,Joe Biden,0,-0.5\r\n658,10/26/2020,mikeharwell66 ppollingnumbers not to freak you out buddy but if the polls as of today is somewhat accurate which i am 90% sure they aren't - and its a lot closer this is what the map could look like.  but you never know.  people have 2016 on their minds  joebiden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n659,10/26/2020,missproducer 50cent forlife_abc what the hell  trump signed the first step act that protects blacks from overly zealous prosecutors like kamala harris putting them away for a long time. i see you like plantation life\xe2\x80\x94- or just being behind bars. and biden doesn\xe2\x80\x99t want his family in a racial jungle. racistjoe,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n660,10/26/2020,mistake both trump and biden are making are whoever wins it's civil to just share a handshake end of day . it's not 3rd world they are aspiring to lead it's unitedstates elections2020,United States of America,California,CA,Joe Biden,0,-0.5\r\n661,10/26/2020,mitchellreports lesleyrstahl realdonaldtrump econ growth under trump a mere 2.5% on avg \xe2\x80\x94 or 0.3% more than obama \xe2\x80\x94 before he led usa covid19 disaster.  don\xe2\x80\x99t indulge trump fantasy of \xe2\x80\x9cgreat economy.\xe2\x80\x9d he\xe2\x80\x99s a massive failure by every measure.  biden jobs nahbhome ohio pennsylvania steelers,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n662,10/26/2020,molmccann as a retired except for church asl interpreter the only harder job than interpreting for joebiden's gaffes would be interpreting for realdonaldtrump interviewing with the biased msm interrupting although priests w/ accents are always fun \xf0\x9f\x98\x89.,United States of America,Alabama,AL,Joe Biden,2,0\r\n663,10/26/2020,much like the election i won\xe2\x80\x99t believe it until ap calls it biden lgm vote h/t sirgutz,United States of America,New York,NY,Joe Biden,0,-0.4\r\n664,10/26/2020,must watch president trump plays a devastating video for joe biden in ...  via youtube trump2020 biden,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n665,10/26/2020,my entire life the united states has been held captive at times by the middle east due to our dependence on oil and fossil fuels and the great dream was the us would be able to be energy independent. now that we have achieved this dream joebiden and the democrats want end it,United States of America,Arizona,AZ,Joe Biden,1,0.2\r\n666,10/26/2020,my gut tells me that biden wins texas in 8 days and makes election night a snooze fest... election2020,United States of America,New York,NY,Joe Biden,0,-0.1\r\n667,10/26/2020,my new yorker who voted already and who will be voting this week  joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n668,10/26/2020,nedryun anyone that believes china doesn't have recordings/videos of joebiden himself to use for blackmail is an idiot. gordongchang who knows how china operates has been clear that hotel rooms are bugged even on he &amp; his wife. of course they would bug the vp in his suite.,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n669,10/26/2020,new \xe2\x80\x9cfarrell censorship of the biden story.\xe2\x80\x9d read,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n670,10/26/2020,newsflash everyone in the usa needs to read &amp; retweet in this staged plandemic if you vote for biden &amp; u are on the road w/car trouble towtruck drivers &amp; aaa are cowards to let u n the cab while your car is towed u have to find a ride bk home americafirst trump2020,United States of America,California,CA,Joe Biden,0,-0.6\r\n671,10/26/2020,norahodonnell why is joe biden looking past you very strange. biden trump 60minutesinterview,United States of America,Georgia,GA,Joe Biden,0,-0.3\r\n672,10/26/2020,not sure why people so upset about the 60minutes  interview norahodonnell did with joebiden and kamalaharris.  i thought both biden and harris did a great job byedon2020 bidenharris2020 voteearly votebluetosaveamerica,United States of America,California,CA,Joe Biden,1,0.3\r\n673,10/26/2020,now if you say kamalaharris then there may not be hope for you. if you say any negative reason for biden but not a positive reason for your people then you go on and continue to think you are maga or an \xe2\x80\x9cus citizen.\xe2\x80\x9d,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n674,10/26/2020,official statement from putin four years ago we make election steal for realdonaldtrump. was many easy. america not expected russia influence. this time many harder. america people want politics change. russia now give friendship to joe biden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n675,10/26/2020,oh look at that. so kayleighmcenany was like lindseygrahamsc before they sold their souls to the devil. they both said how honorable likeable biden is. but when power is dangled in front of your face those with no moral compass leap. or shall i say flip.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n676,10/26/2020,oh please...this will be reversed when biden takes office and our military arrests trump for treason,United States of America,Colorado,CO,Joe Biden,0,-0.4\r\n677,10/26/2020,ohio dems what are u waiting for message 10+ democrat friends now and remind them to vote let\xe2\x80\x99s not have a 2020 nightmare biden cincinnati university moms women progress jobs healthcare unions vote\xc2\xa0\xc2\xa0\xc2\xa0cleveland yourvotecounts,United States of America,New York,NY,Joe Biden,0,-0.4\r\n678,10/26/2020,ohio dems what are u waiting for message 10+ democrat friends now and remind them to vote let\xe2\x80\x99s not have a 2020 nightmare biden cincinnati university moms women progress jobs healthcare unions vote\xc2\xa0\xc2\xa0\xc2\xa0cleveland yourvotecounts vote,United States of America,New York,NY,Joe Biden,0,-0.4\r\n679,10/26/2020,only nebraska and maine split electoral votes. 1 electoral democratic vote from nebraska has happened several times. goodfornebraska joebiden joebidenfornebraska,United States of America,Texas,TX,Joe Biden,2,0\r\n680,10/26/2020,please help am i high  or people really will vote for joebiden please stop ignoring the corruption and fake crap he says laptopfromhell dimensia biden is a pawn if he wins kamala is next dont ruin our country vote trump2020 save our situational rights,United States of America,New York,NY,Joe Biden,0,-0.9\r\n681,10/26/2020,please vote biden harrislandslide2020 to all the women and young please join me in celebrating our next vice president kamala harris who show you can be a mother wife and senator and the first woman to be chosen for vice president.last a black woman please celebrate her.thanks,United States of America,Texas,TX,Joe Biden,1,0.4\r\n682,10/26/2020,please vote for joebiden and kamalaharris on or before november3rd 2020.,United States of America,Georgia,GA,Joe Biden,2,0\r\n683,10/26/2020,pleasesavethesechildren vote for a moral president. vote for joebiden,United States of America,California,CA,Joe Biden,2,0\r\n684,10/26/2020,politicususa trump lies include economy.   there is no v recovery.   11 million unemployed.  he only cares about wall street &amp; billionaire class  usa still bleeding factory jobs due to trump.   biden  pennsylvania  maga trump2020landslide for me to poop on  eagles steelers,United States of America,Massachusetts,MA,Joe Biden,0,-0.5\r\n685,10/26/2020,realdonaldtrump  why has hunter not been arrested yet for child molestation when there are pictures and videos showing it anyone else would be in jail by now. biden bidencrimefamiily  hunterbiden  hunterbidenslaptop,United States of America,Louisiana,LA,Joe Biden,0,-0.1\r\n686,10/26/2020,realdonaldtrump as someone who lives in pa i hope biden does stop fracking just another reason i already voted for him. climatechange,United States of America,New York,NY,Joe Biden,2,0\r\n687,10/26/2020,realdonaldtrump cindyhydesmith donaldtrump and his republican allies want to dismantle socialsecurity &amp; medicare. if you support that you should vote trump. but be clear - if you are interested in maintaining those two vital programs you need to vote for biden. know the issues and then decide,United States of America,California,CA,Joe Biden,0,-0.5\r\n688,10/26/2020,realdonaldtrump enjoy the whitehouse while it last.  uhaul already confirmed the move out date with us and puttin is excited to have you on his team.   votehimout2020 vote2020 joebiden joewillleadus votebluetosaveamerica russia,United States of America,California,CA,Joe Biden,1,0.4\r\n689,10/26/2020,realdonaldtrump i believe you are on purpose spreading covid19 to use it against biden in january after inauguration day,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n690,10/26/2020,realdonaldtrump no no no its voteblue joebiden,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n691,10/26/2020,realdonaldtrump the problem isn\xe2\x80\x99t test test test  the problem is people are testing positive positive positive  vote joebiden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n692,10/26/2020,realdonaldtrump the unionleader endorsed joebiden the first time in 100 years that they have endorsed a democrat votelikeyourlifedependsonit votebluetoendthisnightmare,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n693,10/26/2020,realdonaldtrump this type of tweet is precisely why so many of us are voting biden.  this pandemic is getting worse not better and you ridicule it and the people that have died and others that are suffering whether it be their own health fears or economically. republicansforbiden,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n694,10/26/2020,realdonaldtrump we can't abolish it but we do need to move on to more sustainable industries for power cars &amp; factories.  i am a republican that cares about earth. jobs can be created with the new ways for sure biden is ignorant to say we can do this overnight but lets start working on it,United States of America,Tennessee,TN,Joe Biden,1,0.2\r\n695,10/26/2020,remember republicans like realdonaldtrump and his disaster of a gop don't want you to vote. so you know what to do in 8 days right votethemallout. this experiment must end. trumpisalaughingstock trumpisaloser trumpislosing biden trump p2,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n696,10/26/2020,report blockbuster report reveals how biden family was compromised by china's communist party.,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n697,10/26/2020,reposted from leftistcuck dang flabbit hunter hunterbiden biden kekistan trump republican rightwing conservative republicanmemes conservativememes libtards liberallogic maga dankmemes fakenews,United States of America,Texas,TX,Joe Biden,2,0\r\n698,10/26/2020,rshoephoto joenbc you think the economy will do better under biden,United States of America,New York,NY,Joe Biden,0,-0.5\r\n699,10/26/2020,rt dallascowboys nfl biden cowboys have more quit than jets,United States of America,New York,NY,Joe Biden,0,-0.5\r\n700,10/26/2020,schumer urges fbi director to ignore growing biden scandal warns investigation could \xe2\x80\x98undermine the rule of law\xe2\x80\x99,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n701,10/26/2020,schweizer biden family deals 'only happened' when biden 'became a central player' in foreign policy  via breitbartnews trump joebiden hunterbiden maga,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n702,10/26/2020,should you trust the latest polls showing joebiden leading donaldtrump nationally how did the final presidentialdebate influence the race rmcstrategies and wneuniversity's timverc examine these questions on cponnepm.  election2020,United States of America,Illinois,IL,Joe Biden,2,0\r\n703,10/26/2020,show the tape.  biden,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n704,10/26/2020,so now joebiden is running against georgebush omfg wake up people,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n705,10/26/2020,so when trump continues to deny taking accountability for the infection and death toll rate in the u.s. due to covid__19 - just remember joebiden tweet one year ago... bidenharris2020landslide,United States of America,California,CA,Joe Biden,0,-0.5\r\n706,10/26/2020,someone - make the lying stop  it\xe2\x80\x99s to much  vote joebiden,United States of America,New York,NY,Joe Biden,0,-0.8\r\n707,10/26/2020,stocktwits wtfu2020 cnbc november4th what will happen to wallstreet if biden wins the election  what will happen to wallstreet if trump wins the election  predictions please,United States of America,Colorado,CO,Joe Biden,0,-0.1\r\n708,10/26/2020,streaming now on spotify  healthisland by dsouldavis gospel inspirational soul rock peace god spiritual protest  democrats republicans election election2020 wildfires colorado california florida breonnataylor joebiden itsgabrielleu,United States of America,Nevada,NV,Joe Biden,1,0.2\r\n709,10/26/2020,streaming now on spotify  healthisland by dsouldavis gospel inspirational soul rock peace god spiritual protest  democrats republicans election election2020 wildfires colorado california florida breonnataylor joebiden itsgabrielleu,United States of America,Nevada,NV,Joe Biden,1,0.2\r\n710,10/26/2020,tb_times sunsentinel ftlauderdalesun raysup ftlauderdalemag tdonline dbnewsjournal florida biden,United States of America,Massachusetts,MA,Joe Biden,1,0.4\r\n711,10/26/2020,tedlieu anniewise67 realdonaldtrump \xe2\x80\x9ctough guy\xe2\x80\x9d trump was jealous 60minutes asked joebiden only \xe2\x80\x9cthe easy questions.\xe2\x80\x9d,United States of America,California,CA,Joe Biden,0,-0.2\r\n712,10/26/2020,teebox61 nprpolitics and they are behaving like there isn\xe2\x80\x99t the internet.  i\xe2\x80\x99m voting for joebiden but i wouldn\xe2\x80\x99t go see him in a rally.  i watch him online.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n713,10/26/2020,tell me again about how trump is good for the economy  trump trumpnotfitforoffice resist biden2020 biden bidenharris2020landslide,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n714,10/26/2020,texas and ohio - we don\xe2\x80\x99t have to accept donald trump and his incompetence as the leadership for our country. we are better than this and can do so much better. vote\xc2\xa0 bidenharris bidenharris2020 biden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n715,10/26/2020,texas go big or go home let's do this earlyvote biden republicansforbiden genz tiktok davidhogg111 early vote this week thru fri oct 30 gotv harrisvotes collincounty denton latinosforbiden voteearly vote2020 votebidenharris2020 flipthesenate fliptexasblue,United States of America,Texas,TX,Joe Biden,2,0\r\n716,10/26/2020,the man took the bulldozer and repeatedly destroyed biden signs in full view of people who live in the neighborhood witnesses said. biden trump election nc10,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n717,10/26/2020,the only reason why barackobama indorses joebiden is because obama is sick and tired of being the worst president in history.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n718,10/26/2020,thelastrefuge2 joebiden as xenomorph never fails to crack me up.,United States of America,District of Columbia,DC,Joe Biden,1,0.5\r\n719,10/26/2020,thelordrebukeyou biden,United States of America,New York,NY,Joe Biden,1,0.3\r\n720,10/26/2020,they seem to know when its over. they know that now they will need to deal with biden...what better way can you have to get along with a probable biden admin than to denounce trump now.,United States of America,Colorado,CO,Joe Biden,0,-0.3\r\n721,10/26/2020,they\xe2\x80\x99ve given up. so now if you still vote for trump you\xe2\x80\x99re voting to continue working from home staying inside not seeing friends/family not going to weddings/funerals movies theater sports &amp; continuing to get sick &amp; die. want your life back vote for biden...  covid19,United States of America,New York,NY,Joe Biden,0,-0.5\r\n722,10/26/2020,this can't be real joebiden,United States of America,New York,NY,Joe Biden,0,-0.8\r\n723,10/26/2020,this is actually sad. and scary. joebiden is obviously not fit to run this country with these serious dementia issues. and the people who know it yet are still running his campaign should be ashamed. bidenisnotwell,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n724,10/26/2020,this is biden \xf0\x9f\x9a\xabon november 3rd \xf0\x9f\x87\xba\xf0\x9f\x87\xb8potus \xe2\x81\xa6ingrahamangle\xe2\x81\xa9,United States of America,Texas,TX,Joe Biden,2,0\r\n725,10/26/2020,this is getting old.  dear liberal friends i just found out you can change your vote in wisconsin. you can google it for your state  just go down to your city hall and request another ballot.  biden maga2020landslidevictory,United States of America,Wisconsin,WI,Joe Biden,0,-0.1\r\n726,10/26/2020,this is why i'm voting for joebiden joebiden healthequity,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n727,10/26/2020,this is why if the democrats take back the senate in a senatebluewave in november joebiden would be justifiable in overwhelmingly stacking the court in his favor to balance things out after the theft of two supremecourt seats by the republicans gopcomplicittraitors,United States of America,New York,NY,Joe Biden,0,-0.7\r\n728,10/26/2020,this thread every bit of it... but of course krystalball or foxnews will pretend biden called trump george today rather than actually calling george lopez by his name.,United States of America,California,CA,Joe Biden,0,-0.5\r\n729,10/26/2020,to understand where we are as a nation we need to know where we've been as a nation.  bidencoalition biden demcastca demcast  covid19 flipitblue,United States of America,California,CA,Joe Biden,1,0.1\r\n730,10/26/2020,today's something to think about commentary \xe2\x80\x9cbiden\xe2\x80\x99s radical plan for america exposed\xe2\x80\x9d   joebiden,United States of America,Florida,FL,Joe Biden,2,0\r\n731,10/26/2020,too early to place bets-but recent poll databiden vs trump us presidential election 2020 poll tracker  election2020 election,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n732,10/26/2020,tpes morningpoliticalthought pelosi aoc nypost chriscuomo harveyweinstein bail schumer acb scotus biden georgewbush jewish trump debates2020 maga2020 trump2020 vote2020 parler parlerusa,United States of America,California,CA,Joe Biden,2,0\r\n733,10/26/2020,trish_regan kamalaharris called joebiden a racist during her debate with him and still lying about charlottesville..,United States of America,Georgia,GA,Joe Biden,0,-0.7\r\n734,10/26/2020,trump and biden hit swing states with 9 days until electionday  via nytimes,United States of America,North Carolina,NC,Joe Biden,0,-0.4\r\n735,10/26/2020,trump biden in final full week of campaigning as virus looms large,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n736,10/26/2020,trump can win president by legalizeit - coincidentally biden could benefit from a giant toke,United States of America,Georgia,GA,Joe Biden,2,0\r\n737,10/26/2020,trump has made it clear his solution to covid19 is to let it kill us. the only way to stop the gop from gaming the electoral college is for voters to turn out in such huge numbers the results cannot be denied.  bidencoalition biden demcastca demcast,United States of America,California,CA,Joe Biden,0,-0.3\r\n738,10/26/2020,trump inherited the longest continuous monthly job growth streak in american history from the obama/biden administration. he took credit for an economy put on a path by obama/biden. all he had to do was maintain it. but he wasn't up to the job. votehimout2020 biden obama,United States of America,Ohio,OH,Joe Biden,2,0\r\n739,10/26/2020,trump lies about biden getting money from russia. he also lied about shutting down his secret trumpchinabankaccount. in reality more than $17 million in new money appeared in that account as soon as he was elected and he personally took out $15.1 million for himself.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n740,10/26/2020,trump mocks biden to pennsylvania crowd over oil comment 'he blew it',United States of America,California,CA,Joe Biden,0,-0.4\r\n741,10/26/2020,trump number will be closer to cornyn. and biden struggling with hispanics is intriguing.,United States of America,Texas,TX,Joe Biden,1,0.3\r\n742,10/26/2020,trump on november 4. vote bidenharrislandslide2020 biden votebluetosaveamerica votehimout2020,United States of America,Ohio,OH,Joe Biden,2,0\r\n743,10/26/2020,trump opposes raising federal minimum wage  trump biden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n744,10/26/2020,trump says republicans don't get elected when people are allowed to vote. let's prove him right.  bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,0,-0.1\r\n745,10/26/2020,trump2020 maga voteinperson votelikeyourlifedependsonit vote walkaway americafirst bidencrimefamiily biden redwave backtheblue buildthewall bidenleaks bidenlaptop,United States of America,New York,NY,Joe Biden,1,0.2\r\n746,10/26/2020,trumpislosing  istoleyourjob maga trump trumpmeltdown trump2020landslidevictory trumptaxreturns trumpisbroke trumpisalaughingstock trumpisaracist trumpsthebiggestliarever trumpisnotamerica bidenharris2020landslide biden bidenharristosaveamerica,United States of America,Texas,TX,Joe Biden,2,0\r\n747,10/26/2020,twitter pedophilia is bad now that it negatively impacts joebiden,United States of America,California,CA,Joe Biden,0,-0.8\r\n748,10/26/2020,usa biden trump election rt,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n749,10/26/2020,utah - we don\xe2\x80\x99t have to accept donald trump and his incompetence as the leadership for our country. we are better than this and can do so much better. vote bidenharris bidenharris2020 biden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n750,10/26/2020,vivianactivist biden will vote for somone gorge.,United States of America,New York,NY,Joe Biden,1,0.3\r\n751,10/26/2020,vote elections2020 trump2020landslidevictory biden democats walkaway,United States of America,California,CA,Joe Biden,1,0.3\r\n752,10/26/2020,vote votehimout2020  votebiden biden ... trump was warned in good faith a year ago before covid hit china. he chose to be his usual arrogant conman self. vote him out.,United States of America,California,CA,Joe Biden,0,-0.2\r\n753,10/26/2020,vote2020 election facts according to joebiden,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n754,10/26/2020,votebidenharris2020 b/c joebiden knew in 2019 that we needed to prepare for a pandemic while gop donthecon refuse to prepare before or during. covid19 votebluetoendthisnightmare votebluedownballot,United States of America,Kentucky,KY,Joe Biden,2,0\r\n755,10/26/2020,votejoebiden2020 need to post hashtags that won\xe2\x80\x99t prevent content from being sensored\xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f repost joebiden facts,United States of America,California,CA,Joe Biden,0,-0.7\r\n756,10/26/2020,wait joe biden was definitely doable in his time. \xf0\x9f\x98\xb3 joebiden  joebiden,United States of America,New York,NY,Joe Biden,1,0.5\r\n757,10/26/2020,we were just polled as to which presidential candidate we support and the junior high cheerleader in me answered the door this household proudly supports joebiden bidenharris2020,United States of America,Nevada,NV,Joe Biden,1,0.7\r\n758,10/26/2020,well you ignorant political cow...she was speaking to biden supporters,United States of America,Colorado,CO,Joe Biden,0,-0.9\r\n759,10/26/2020,what they continue to hide is not going away hunterbiden joebiden,United States of America,California,CA,Joe Biden,0,-0.8\r\n760,10/26/2020,what was your household like politically trump has given me an unexpected gift  biden bidenharristosaveamerica lincolnproject republicansforbiden reflection dialogue,United States of America,Washington,WA,Joe Biden,1,0.1\r\n761,10/26/2020,when joebiden loses the state of delaware should appoint an independent caretaker who will end the elderabuse by the rest of the bidencrimefamilly,United States of America,Illinois,IL,Joe Biden,0,-0.5\r\n762,10/26/2020,when lesley stahl said \xe2\x80\x9cbe careful\xe2\x80\x9d i think everybody felt that\xf0\x9f\x98\x8c. 60minutes lesleystahl 2020elections donaldtrump joebiden,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n763,10/26/2020,whizzer78 realdonaldtrump \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 who was it that he didn\xe2\x80\x99t want his kids in a racial jungle  called blacks super predators wrote the 94 crime bill and was good buddies with the klansman robert byrd joebiden,United States of America,North Carolina,NC,Joe Biden,0,-0.2\r\n764,10/26/2020,who in the actual fuck is voting for realdonaldtrump to become our president again  watching this interview with lesley stahl is ridiculous.  what a rude fucking piece of shit he is.  60minutesinterview 60minutes 2020election donaldtrump biden,United States of America,Illinois,IL,Joe Biden,0,-0.4\r\n765,10/26/2020,wow - biden/harris exposed wake up america joebiden lyingjoebiden greennewdeal,United States of America,Texas,TX,Joe Biden,1,0.5\r\n766,10/26/2020,wow powerful stuff  projectlincoln votehimout2020 girlpower bidenharris2020landslide joebiden kamalaharris bidenharris2020 voteearly,United States of America,Pennsylvania,PA,Joe Biden,1,0.8\r\n767,10/26/2020,wow. last year in october. wapo  globalhealth biden,United States of America,Tennessee,TN,Joe Biden,1,0.3\r\n768,10/26/2020,wow. norahodonnell &amp; lesleyrstahl deliver a 60minutes doubleheader that will dominate the news cycle in the closing days of the election. 60minutes trump biden,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n769,10/26/2020,wtf iamwill. slam dunk brother.  slam effing dunk  joebiden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n770,10/26/2020,wth is joebiden doing i think kamalaharris has threatened him. \xe2\x80\x9cget me in office old man or i\xe2\x80\x99ll beat your ass\xe2\x80\x9d haha,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n771,10/26/2020,yessssss biden will fix what gop did to scotus \xe2\x9c\x8a\xf0\x9f\x8f\xbc\xf0\x9f\x92\x99\xf0\x9f\x97\xb3 vote,United States of America,New York,NY,Joe Biden,2,0\r\n772,10/26/2020,yesssssss \xe2\x80\x94&gt; aoc says it's extremely important that biden offer bernie sanders a cabinet position  berniesanders berniesanders aoc bidenharris2020,United States of America,Missouri,MO,Joe Biden,2,0\r\n773,10/26/2020,yet again biden is off the campaign trail because he knows the election is rigged in his favor \xf0\x9f\xa4\x94,United States of America,California,CA,Joe Biden,0,-0.7\r\n774,10/26/2020,you get out of the game what you put into practice. what does joebiden\xe2\x80\x99s campaign suggest about his potential presidency realdonaldtrump potus presssec biden trump election2020 electionday debates,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n775,10/26/2020,you realize joebiden given his mental acuity would be lucky to make it a year.  can you say 25th amendment,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n776,10/26/2020,yup...its closer now to 62% of all trump followers will secretly vote for biden,United States of America,Colorado,CO,Joe Biden,2,0\r\n777,10/26/2020,zombie joebiden,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n778,10/26/2020,\xf0\x9f\x93\xa3 new podcast treason show 51 on spreaker biden foiledplot joebiden music news politics texas,United States of America,Arizona,AZ,Joe Biden,0,-0.1\r\n779,10/27/2020,culturalappropriation racist racism liberal snowflake trump maga biden election2020 vote democrats,United States of America,Colorado,CO,Joe Biden,0,-0.6\r\n780,10/27/2020,fucktrump maga vote joebiden orange trump gop trumplost election2020 votethemout,United States of America,New York,NY,Joe Biden,1,0.1\r\n781,10/27/2020,mondaysenatebluewave bidencoalition biden demcastca demcast,United States of America,California,CA,Joe Biden,1,0.3\r\n782,10/27/2020,page has 115k visits. joebiden was having an affair with jilltracyjacobs jillbiden jill giacoppa while he was married to neiliabiden. first date was in 1972 as there was no dem con in 1975 and by 1976 romance well under way. realdonaldtrump cnn,United States of America,New York,NY,Joe Biden,2,0\r\n783,10/27/2020,trump trumpnotfitforoffice resist biden2020 biden bidenharristosaveamerica trumpislosing trumpisanationaldisgrace,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n784,10/27/2020,$blnk really like blink charging as a long term hold 2 years plus especially if biden is elected he favors green deal and renewable energy. expected price target $15 plus in 4 + months,United States of America,New York,NY,Joe Biden,0,-0.2\r\n785,10/27/2020,2 or you can read it at the new york times  flipthesenateblue mondaysenatebluewave bidencoalition biden demcastca,United States of America,California,CA,Joe Biden,2,0\r\n786,10/27/2020,after learning of the early voting numbers seeing the enthusiasm for  trump and lack of for biden i\xe2\x80\x99m even more convinced that biden can\xe2\x80\x99t even receive 15% of the vote anything over 15% and the dems cheated.  it\xe2\x80\x99s that simple trump2020landslide,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n787,10/27/2020,again joebiden we can play it on a jumbotron if you like.,United States of America,Alabama,AL,Joe Biden,1,0.3\r\n788,10/27/2020,ajc ajconwashington son is an out-of-state student. he requested an absentee ballot weeks ago. never arrived. rerequested. we're having him overnight it to us just to avoid the chance his vote for joebiden won't be counted. flipgeorgiablue,United States of America,Georgia,GA,Joe Biden,0,-0.3\r\n789,10/27/2020,all they have left is lies biden bidenharris trump trump2020 2020election,United States of America,Minnesota,MN,Joe Biden,0,-0.8\r\n790,10/27/2020,america is now on doorstep of 50% votes cast in 2016 potus election 136.75 million.  trump biden hrc vote earlyvote,United States of America,New York,NY,Joe Biden,2,0\r\n791,10/27/2020,americans are scared lil bitches lmao the french really dragged their leaders through the streets and executed them. come onnnnnn scotus trump biden barrett amerikkka,United States of America,Missouri,MO,Joe Biden,0,-0.4\r\n792,10/27/2020,and they say joebiden isn\xe2\x80\x99t a puppet lol his party wants to ban fracking if you love your jobs in texas ohio pennsylvania  votetrump2020,United States of America,California,CA,Joe Biden,0,-0.8\r\n793,10/27/2020,and today the republicans stole a second supremecourt seat. hoping this will be dealt with if biden wins. i'll be calling her the woman in ginsburg's seat. votebidenharris vote,United States of America,California,CA,Joe Biden,0,-0.2\r\n794,10/27/2020,angry scared hunterbiden admits he &amp; joebiden being business partners chinaspy chief patrickho in usa prison for bribery-this and the unclaimed hunter not a hoax  laptop + arrests you have biden influence peddling money laundering teamtrump realdonaldtrump trump2020,United States of America,New York,NY,Joe Biden,0,-0.8\r\n795,10/27/2020,another factor to consider the taller candidate usually wins in an election. trump is 6ft 3 ins biden is 6ft. uselections2020,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n796,10/27/2020,ap fact check trump refers to voting chaos that does not exist  trump biden election2020,United States of America,New Mexico,NM,Joe Biden,0,-0.7\r\n797,10/27/2020,are you there god it's me bette. i'm so scared god.  we have a fascist in the whitehouse a racist criminal who hates democracy denies science &amp; kills our citizens electionday is next week. what if he wins  we won't have a country  please let joebiden win.  thank you.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n798,10/27/2020,axios jonathanvswan as jonathanvswan should know the issue isn\xe2\x80\x99t hunterbiden. everyone knows he is a corrupt crackhead pos. joebiden allowed his family to profit from the public\xe2\x80\x99s business.,United States of America,California,CA,Joe Biden,0,-0.5\r\n799,10/27/2020,bbbtradingfx this is fake news and a pathetic attempt to smear a public servant. please start reading bbc or cbc if you don't trust the american press and for god's sake stop getting your news from cable or social media.  they are entertainment outlets. biden,United States of America,California,CA,Joe Biden,0,-0.3\r\n800,10/27/2020,beyond disgusting.  jim jordan the pig who turned his back on sexual assault victims tweeted this from an official government account  \xe2\x81\xa6more proof that we need someone like biden who brings people together and is above this kind of childish crap.             demvoice1,United States of America,New York,NY,Joe Biden,0,-0.4\r\n801,10/27/2020,biased coverage couldn\xe2\x80\x99t keep mr. trump from winning in 2016. so for 2020 the press introduced a new corollary writes wjmcgurn joe biden must never be asked a tough question.  via wsj elections2020 joebiden donaldjtrump lamestreammedia biasedmedia,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n802,10/27/2020,biden,United States of America,Colorado,CO,Joe Biden,1,0.3\r\n803,10/27/2020,biden acusa a donald trump de rendirse ante el covid-19 -  evnews joebiden donaldtrump elecciones2020 covid19,United States of America,Florida,FL,Joe Biden,2,0\r\n804,10/27/2020,biden bidenfail,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n805,10/27/2020,biden bidenharris2020 trump trump2020landslide trump2020tosaveamerica biden2020 bidencrimefamilly,United States of America,New York,NY,Joe Biden,2,0\r\n806,10/27/2020,biden bidenharris2020landslide bidenharris2020 democats mondaythoughts tuesdaymorning wednesdaythoughts mondaymotivation thoughtsandprayers 2020election covid__19 byetiffany,United States of America,Florida,FL,Joe Biden,1,0.4\r\n807,10/27/2020,biden doubles down the russians are to blame,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n808,10/27/2020,biden is speaking at 8am at warm springs ga 49 miles from where we live and there will be warm up speakers but i have to teach at 11am.  how tempting is this time crunch to runbidenharris2020 bidenharrislandslide2020,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n809,10/27/2020,biden kept snowden from leaving russia wow he is out for blood. seems like 2021 will make 2020 look like christmas. downballot,United States of America,California,CA,Joe Biden,2,0\r\n810,10/27/2020,biden trump how about your health claim your free membership to cancer u.  uselection trump biden votes republican democrat cancer healthcare giveaway win health caregivers patients,United States of America,Alabama,AL,Joe Biden,0,-0.5\r\n811,10/27/2020,bidendepression biden,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n812,10/27/2020,billscher jmartnyt no one knows truth of what biden says more than the oil industry itself. as is world is in the downslope of global oil supply already. if. agreen new deal ever came to be they\xe2\x80\x99d be out front trying to corner emerging industries and sweeping up dough.  vote voteearly,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n813,10/27/2020,bloomberg commits late money to help biden in texas,United States of America,Puerto Rico,PR,Joe Biden,0,-0.2\r\n814,10/27/2020,bloomberg funds last-minute advertising blitz for biden in texas and ohio  biden bloomberg trump ohio texas biden2020 bidenharris michaelbloomberg advertising florida swingstates,United States of America,New York,NY,Joe Biden,0,-0.3\r\n815,10/27/2020,brave texans are risking their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n816,10/27/2020,brilliant ad creative.  joebiden bidenharris2020 politicalads,United States of America,California,CA,Joe Biden,1,0.6\r\n817,10/27/2020,calls for assassination of joebiden potus,United States of America,Rhode Island,RI,Joe Biden,0,-0.2\r\n818,10/27/2020,can\xe2\x80\x99t find where the joebiden rally is in atlanta if anyone knows let me know thx votethemallout,United States of America,New York,NY,Joe Biden,0,-0.4\r\n819,10/27/2020,cbouzy ironically what is likely to happen is that joebiden boot lickers will make excuses for him when he goes back on every thing he's signaled to progressives that he might do. we'll hear he had to clean up donaldtrump's mess. or your asking for too much.,United States of America,Maryland,MD,Joe Biden,0,-0.7\r\n820,10/27/2020,check out what i just listed on mercari. tap the link to sign up and get up to $30 off. covid19 latinoheat wwe joebiden coronavirus,United States of America,Wisconsin,WI,Joe Biden,1,0.1\r\n821,10/27/2020,chipfranklin \xf0\x9f\x8c\x88\xe2\x99\xa5\xef\xb8\x8f\xf0\x9f\x92\x9c\xf0\x9f\xa5\xb3\xf0\x9f\x8c\x88\xe2\x99\xa5\xef\xb8\x8f\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xf0\x9f\x8c\x88\xe2\x9c\xa8\xf0\x9f\x92\x9c fuck you gop senatemajldr ima sin harder \xe2\x9c\x8c\xef\xb8\x8f acb scotus covid trump biden pence,United States of America,California,CA,Joe Biden,0,-0.8\r\n822,10/27/2020,chop wood carry water 10/27 -  it's go time. with gotv campaigns into arizona florida wisconsin and wherever else joebiden needs us. plus pissed about scotus make calls to flipthesenate,United States of America,California,CA,Joe Biden,1,0.1\r\n823,10/27/2020,cnn pennsylvania voters \xe2\x80\x9cconfused\xe2\x80\x9d over biden\xe2\x80\x99s position on fracking,United States of America,New York,NY,Joe Biden,0,-0.8\r\n824,10/27/2020,coming your way with a biden win.,United States of America,Pennsylvania,PA,Joe Biden,1,0.4\r\n825,10/27/2020,continue to donate to bidenharris2020 exclusive new analysis shows how women helped fuel a joebiden fundraising surge\xc2\xa0,United States of America,Alabama,AL,Joe Biden,1,0.7\r\n826,10/27/2020,covid infection of pence aides raises serious concerns about trump\xe2\x80\x99s virus response - his lack of wearing masks is infecting others in the the whitehouse and on the campaign trail dumptrump vote biden,United States of America,California,CA,Joe Biden,0,-0.8\r\n827,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n828,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n829,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n830,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n831,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n832,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n833,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n834,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n835,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n836,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n837,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n838,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n839,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n840,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n841,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n842,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n843,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n844,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n845,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n846,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n847,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n848,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n849,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n850,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n851,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n852,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n853,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n854,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n855,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n856,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n857,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n858,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n859,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n860,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n861,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n862,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n863,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1 msnbc2020,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n864,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbcl msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n865,10/27/2020,demcast wtpsenate wtpblue wtpbiden blm msnbcl msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n866,10/27/2020,democrats need to get out and vote for biden vote votebidenharristosaveamerica votebluedowntheballot usa it\xe2\x80\x99s not over yet,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n867,10/27/2020,democrats will still vote for joebiden,United States of America,Nevada,NV,Joe Biden,2,0\r\n868,10/27/2020,did joe biden just say \xe2\x80\x9chi i\xe2\x80\x99m joe biden. and i\xe2\x80\x99m joe biden\xe2\x80\x99s husband\xe2\x80\x9d \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 georgia biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n869,10/27/2020,did joebiden just admit to organizing voter fraud  yes america\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 watch joe = | pat gray unleashed  via youtube,United States of America,New York,NY,Joe Biden,0,-0.4\r\n870,10/27/2020,did you hear the joke about the pundit with stockholmsyndrome who trashed kamalaharris for dancing joebiden bidenharrislandslide2020 bidencoalition demcastca demcast vote  chrislhayes demwarroom,United States of America,California,CA,Joe Biden,0,-0.8\r\n871,10/27/2020,does joe biden honestly hold the same opinion for more than 3 months. he is a mess \xf0\x9f\x98\xad a complete flip flopping no sense making mess \xf0\x9f\x98\xad\xf0\x9f\x98\xad how can you change your entire opinion on china from they\xe2\x80\x99re a joke to maybe we need to go to war. election2020  joebiden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n872,10/27/2020,does joebiden really think that he can just get away with talking about covidiots  joe biden offers nothing else but empty talk. vote trump2020,United States of America,New York,NY,Joe Biden,0,-0.2\r\n873,10/27/2020,donald trump is jealous of covid-19 in many ways. he can't erase as many poor people as he intended to barackobama joebiden barackobama joebiden obamamalik,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n874,10/27/2020,don\xe2\x80\x99t ever be the first to stop applauding. by claytoncraddock  thinkthingsthrough clapping stalin listentothescience governor government think trump biden cuomo leadership leadershipmatters,United States of America,New York,NY,Joe Biden,0,-0.6\r\n875,10/27/2020,drbiden \xf0\x9f\x92\x99vote votelikeits2012\xf0\x9f\x92\x99votethemallout2020\xf0\x9f\x92\x99 votebluetosaveamerica votebidenharris2020\xf0\x9f\x92\x99 votebluetoendthisnightmare\xf0\x9f\x92\x99voteblue2020\xf0\x9f\x92\x99 bluewave2020\xf0\x9f\x92\x99votebluetosaveamerica2020\xf0\x9f\x92\x99 voteblue joebiden \xf0\x9f\x92\x99bluebidenharris2020\xf0\x9f\x92\x99 bidenharris \xf0\x9f\x92\x99 votebluenomatterwho\xf0\x9f\x92\x99 saveamerica,United States of America,California,CA,Joe Biden,1,0.5\r\n876,10/27/2020,dustyfrank84 warriors money23green do you know if you support trump you support racism black lives matter muslim lives matter biden 2020,United States of America,California,CA,Joe Biden,0,-0.8\r\n877,10/27/2020,editorialcartoons politicalcartoons joebiden bidenlaptop hunterslaptop,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n878,10/27/2020,ehr revamp from cms lacks concrete path to implementation joe biden says biden joebiden cms patientaccess interoperability  via healthcaredive,United States of America,Maryland,MD,Joe Biden,0,-0.5\r\n879,10/27/2020,election interference from billionaire michael bloomberg funding a last-minute spending blitz to bolster former vice president joseph r. biden jr. in texas and ohio $15 million on television advertising for joebiden electionday,United States of America,California,CA,Joe Biden,0,-0.2\r\n880,10/27/2020,election interference youtube runs \xe2\x80\x98fact check\xe2\x80\x98 on searches not just videos about biden and fracking  via breitbartnews,United States of America,Illinois,IL,Joe Biden,0,-0.5\r\n881,10/27/2020,electionday results tunein tuesday 8pm ahoraoscarhaza oscarhazaofficial \xe2\x80\x94 vote trump biden florida earlyvoting mailinballot polls,United States of America,Florida,FL,Joe Biden,1,0.1\r\n882,10/27/2020,electionday results tunein tuesday 8pm ahoraoscarhaza oscarhazaofficial \xe2\x80\x94 vote trump biden florida earlyvoting mailinballot polls,United States of America,Florida,FL,Joe Biden,1,0.1\r\n883,10/27/2020,exclusive hunter biden audio confesses partnership with china 'spy chief'... joe biden named as criminal case witness,United States of America,Illinois,IL,Joe Biden,0,-0.4\r\n884,10/27/2020,exclusive hunterbiden audio confesses partnership with china 'spy chief'... joe biden named as criminal case witness,United States of America,California,CA,Joe Biden,0,-0.3\r\n885,10/27/2020,fakepolls showing biden ahead are a feeble attempt to shape public opinion.  not gonna work...again dncfail  twitterlovesbiden,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n886,10/27/2020,fascinating in-the-weeds analysis for election2020  - is joe biden toast if he loses pennsylvania,United States of America,California,CA,Joe Biden,1,0.6\r\n887,10/27/2020,focus biden must unquestionably win before any discussions of court reform. remember 8.7m covid19 cases 227000 americans needlessly dead. now admitted no national strategy  from trump to mitigate. votebluelikeyourlifedependsonit votebluetoendthisnightmare  voteearly,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n888,10/27/2020,former hunterbiden business partner tonybobulinski says he discussed the family\xe2\x80\x99s china deal with joebiden in early may 2017.,United States of America,New York,NY,Joe Biden,0,-0.1\r\n889,10/27/2020,f\xc3\xb3rmula de biden derogar\xc3\xa1 pol\xc3\xadtica de trump con cuba y el embargo seguir\xc3\xa1 -  evnews joebiden cuba donaldtrump 27oct,United States of America,Florida,FL,Joe Biden,2,0\r\n890,10/27/2020,gee i wonder who this buffoon was voting for  trumpislosing cheating votersuppressionisreal gopcorruptionovercountry biden,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n891,10/27/2020,georgia races for president senate seat deadlocked shows new ajc poll  biden trump,United States of America,Puerto Rico,PR,Joe Biden,2,0\r\n892,10/27/2020,gmc sure won't be if biden abolishes oil will it,United States of America,Tennessee,TN,Joe Biden,0,-0.4\r\n893,10/27/2020,go vote vote early vote in person bring your ballot to a early voting spot. wait in line have a plan bring a chair bring snacks. vote like your life depends on it because it does votethemout vote joebiden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n894,10/27/2020,good to join several views in article focused on us russia policy in next administration biden trump. i think it is clear that a trump 2 administration threatens us/nato security. bdtaylor_su dmitritrenin courtneywmh brianoftoole todd princetv,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n895,10/27/2020,gop former prosecutors blast trump endorse biden - the washington post,United States of America,California,CA,Joe Biden,0,-0.4\r\n896,10/27/2020,gshelia1951 saw a plot to assassinate joebiden on vicenews last week. guy arrested.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n897,10/27/2020,guzmansbaby foxnews while i disagree with the smear this article is putting out vetting possible cabinet members happens with every party running so they\xe2\x80\x99re ready &amp; can start for their administration on jan. 20th without delay. many people are being vetted including republicans for a biden admin,United States of America,Florida,FL,Joe Biden,2,0\r\n898,10/27/2020,happy tuesday joe. joebiden,United States of America,Texas,TX,Joe Biden,1,0.6\r\n899,10/27/2020,have just been asked if i have any good news re biden frankly the news networks are full of good news for biden i see it as my role to highlight the historical factors at play and ominous signs that could point to a re-run of 2004 or 2016 for democratic candidate election2020,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n900,10/27/2020,he had 1 more week to the election and he had to say this now. did joe biden shout i am sick and tired of smart guys,United States of America,Arizona,AZ,Joe Biden,0,-0.4\r\n901,10/27/2020,heatmap us states uspresidentialelection2020 betting odds biden % point lead daily. data predictit . florida odds have moved to trump. northcarolina odds were neutral &amp; now a bit to trump. arizona &amp; pennsylvania  odds for biden but less so.,United States of America,New York,NY,Joe Biden,0,-0.1\r\n902,10/27/2020,help unite our country. all races all creeds all religions all sex preferences. we are one nation. joebiden will unite us. a president for all americans. silence trumplies with your vote. iwillvote,United States of America,Nevada,NV,Joe Biden,2,0\r\n903,10/27/2020,hey democrats how's that assault on the trump tax return going like russiagate it's 4 laughable years of the laughable resistance giving a clinic on corruption deception &amp; hypocrisy you swine wrote the taxcode for ur owners now biden only policy is kill the salt cap,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n904,10/27/2020,history that must be told. voteearly biden,United States of America,Georgia,GA,Joe Biden,1,0.2\r\n905,10/27/2020,holy shit you can't make this stuff up....its retirement party for grandpa biden please bow out now and save the embarrassment  you've made your millions china russia ukraine,United States of America,California,CA,Joe Biden,0,-0.8\r\n906,10/27/2020,how realdonaldtrump  and joebiden view medicare socialsecurity and longtermcare programs for seniors .,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n907,10/27/2020,howiehawkins please sit this election out for the sake of democracy and the environment because biden will actually do some good stuff vs the orange evil one who will destroy the planet be a patriot and put your ego and awesome agenda on hold until after elections on nov 3rd,United States of America,New York,NY,Joe Biden,0,-0.8\r\n908,10/27/2020,hunterbiden joebiden bidencrimefamilly,United States of America,New York,NY,Joe Biden,1,0.3\r\n909,10/27/2020,hunterbidenlaptop joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n910,10/27/2020,hunterhuntsformoney for the bidencrimefamilly laptopfromhell joebiden whereishunter ccp spychief,United States of America,Texas,TX,Joe Biden,1,0.2\r\n911,10/27/2020,i don\xe2\x80\x99t think many of us needed anymore motivation but they decided to give some to us anyway.  vote like your life depends on it because unless you\xe2\x80\x99re a straight white male it does.  scotus joebiden democracy,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n912,10/27/2020,i feel like we are looking at a 51-49 race  prolly tighter than that trump biden,United States of America,Illinois,IL,Joe Biden,0,-0.4\r\n913,10/27/2020,i hate the way our press tries to sanitize reality. foodinsecurity doesn't begin to describe the debilitating pain of chronic hunger.  mondaysenatebluewave bidencoalition biden demcastca demcast chrislhayes thebeatwithari,United States of America,California,CA,Joe Biden,0,-0.3\r\n914,10/27/2020,i have loved getting to know joebiden the man over the course of this campaign &amp; throughout his career. hard to see how i as a private citizen could get to know him any better at this pt but i look forward to trying during his presidency. for he is truly a nat\xe2\x80\x99l treasure.,United States of America,New York,NY,Joe Biden,1,0.6\r\n915,10/27/2020,i just received an email from donaldjtrumpjr saying i have been handpicked for the new first family circle. then he asked me to donate $45. i have been openly supporting biden and a lifelong dem. lmao.,United States of America,New York,NY,Joe Biden,0,-0.3\r\n916,10/27/2020,i voted for joebiden,United States of America,California,CA,Joe Biden,1,0.1\r\n917,10/27/2020,i voted today and it felt soooo good votethemout joebiden joewillleadus,United States of America,Georgia,GA,Joe Biden,1,0.9\r\n918,10/27/2020,i waited four years for this day. ivotedearly ivoted joebiden kamalaharris leadership kindnessmatters,United States of America,California,CA,Joe Biden,2,0\r\n919,10/27/2020,i've always believed everything happens for a reason i'm trying to figure out why rbg passed when she did i hope she's at peace was it for trumpty to shove another scj in thus sending people in to such a rage that it gets his ass voted out i hope... voteblue biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.7\r\n920,10/27/2020,if anyone - anywhere in the country needs a ride to vote for joebiden let me know. i\xe2\x80\x99ll be there. votebluetoendthisnightmare votethemout votetrumpout,United States of America,Florida,FL,Joe Biden,1,0.3\r\n921,10/27/2020,if biden and harris flip texas they will hardly need to win any actual swing states. but imagine if they do anyway.,United States of America,California,CA,Joe Biden,0,-0.1\r\n922,10/27/2020,if you did not vote for hillaryclinton in 2016 you helped give trump uncontested votes. today you helped replace rgb w/ amyconeybarrett. don't repeat history. vote biden to replace trump.any other vote helps trump.  aoc repaoc sensanders berniesanders berniesanders,United States of America,Illinois,IL,Joe Biden,2,0\r\n923,10/27/2020,if you just saw obama speak imagine if we brought that energy to this \xf0\x9f\x9a\xa8\xf0\x9f\x9a\xa8\xf0\x9f\x9a\xa8\xf0\x9f\x9a\xa8\xf0\x9f\x9a\xa8\xf0\x9f\x9a\xa8\xf0\x9f\x9a\xa8\xf0\x9f\x9a\xa8barackobama votebidenharristosaveamerica voteblue2020 biden harris covid19 debates2020 scottatlasisamurderer trumpiscompromised,United States of America,California,CA,Joe Biden,2,0\r\n924,10/27/2020,in his closing remarks joebiden repeats the words of the late congressman john lewis to warn americans not to take their votes for granted. biden also ends by saying \xe2\x80\x9cwe know who trump is let\xe2\x80\x99s show him who we are.\xe2\x80\x9d bideninatlanta gapol,United States of America,Georgia,GA,Joe Biden,0,-0.3\r\n925,10/27/2020,it's clear that pennsylvania could decide the presidential election considering the makeup of the electoral college. but how will the fracking fight between president trump and joebiden actually play out on the ground with voters climate,United States of America,Montana,MT,Joe Biden,0,-0.3\r\n926,10/27/2020,it's far more deadly to sit on a packed beach for several hours than wait in a socially distanced line and vote. republicans democrats trump biden inpersonvoting outdoordining beaches election2020,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n927,10/27/2020,ivankatrump realdonaldtrump no thanks. we will let the adults take over from the grifters. joebiden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n928,10/27/2020,i\xe2\x80\x99m an immigrant. i worked hard to earn every dollar. how is biden helping my family and i again 2020election,United States of America,Texas,TX,Joe Biden,1,0.2\r\n929,10/27/2020,i\xe2\x80\x99m voting today and i\xe2\x80\x99m voting for joebiden and kamalaharris i\xe2\x80\x99ve pretty much been a lifelong republican until trump ..one thing i will never do is abandon my morals for either political party..if you hate racism and all the chaos of the last four years..vote biden to maga,United States of America,California,CA,Joe Biden,0,-0.8\r\n930,10/27/2020,i\xe2\x80\x99ve seen more people at a colonoscopy.  joebiden,United States of America,California,CA,Joe Biden,2,0\r\n931,10/27/2020,jackischechner bobcesca_go trump has to leave office before biden is sworn in so pence can pardon him.,United States of America,Illinois,IL,Joe Biden,0,-0.5\r\n932,10/27/2020,jackposobiec this shit a movie. \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 hunterbiden joebiden ydsb,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n933,10/27/2020,jared kushner actually just said that black americans must \xe2\x80\x9cwant to be successful\xe2\x80\x9d in order for president donald trump\xe2\x80\x99s policies to help them. vote biden,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n934,10/27/2020,jasonmillerindc biden isn\xe2\x80\x99t needy &amp; ego damaged like trump is. biden doesn\xe2\x80\x99t need to gin up division hate &amp; resentment. biden is winning. people know biden. we know trump now too. and we are choosing unity over division equality over privilege science over fiction truth over lies.,United States of America,California,CA,Joe Biden,0,-0.3\r\n935,10/27/2020,jewish community florida pennsylvania floridaforbiden brooklyn bidenharris2020 bidenlaptop bidenharris biden americafirst,United States of America,New York,NY,Joe Biden,2,0\r\n936,10/27/2020,joannetrueblue tueday wednesday vote voteearly thursday friday saturday pennsylvania gotv bidenharrislandslide2020 biden votethemallout,United States of America,Texas,TX,Joe Biden,1,0.4\r\n937,10/27/2020,joe biden to save and improve lives using data details matter joebiden cms patientaccess interoperability,United States of America,Maryland,MD,Joe Biden,1,0.2\r\n938,10/27/2020,joebiden,United States of America,Georgia,GA,Joe Biden,1,0.3\r\n939,10/27/2020,joebiden,United States of America,Michigan,MI,Joe Biden,1,0.3\r\n940,10/27/2020,joebiden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n941,10/27/2020,joebiden &amp; the fakemedia have yet to say one true thing about presidenttrump and joe has no idea what he would do about covid19 the economy china or anything. not likingtrump is no reason to vote for sleepyjoe.  don't believe the democraticparty lies. redwaverising2020.,United States of America,California,CA,Joe Biden,0,-0.5\r\n942,10/27/2020,joebiden and donate bluebiden,United States of America,Nevada,NV,Joe Biden,2,0\r\n943,10/27/2020,joebiden folks president joe biden \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 he can't even answer questions give him a 40 foot teleprompter   vote bidenharris2020 biden foxnews kamalaharris americafirst ingrahamangle seanhannity,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n944,10/27/2020,joebiden has more presidenttrump supporters than biden supporters at his rallies... bidenrally,United States of America,California,CA,Joe Biden,0,-0.1\r\n945,10/27/2020,joebiden hiding in the basement lmao so funny,United States of America,New York,NY,Joe Biden,1,0.9\r\n946,10/27/2020,joebiden hunterbidenemails hunterbidenlaptop,United States of America,California,CA,Joe Biden,1,0.3\r\n947,10/27/2020,joebiden husband,United States of America,Tennessee,TN,Joe Biden,1,0.1\r\n948,10/27/2020,joebiden is losing it but the fakenews msm continues to cover for him. election2020 bidenfamilycorruption cunitycollege joebidensneighborhood,United States of America,Florida,FL,Joe Biden,1,0.2\r\n949,10/27/2020,joebiden joebidensneighborhood biden2020,United States of America,California,CA,Joe Biden,1,0.3\r\n950,10/27/2020,joebiden kamalaharris pay attention brett kavanaugh got all his debts paid off conveniently before he was on the bench. what deal did trump make with judge kennedy quietly in the hall that day.,United States of America,Massachusetts,MA,Joe Biden,1,0.1\r\n951,10/27/2020,joebiden presidenttrump election2020,United States of America,Texas,TX,Joe Biden,1,0.3\r\n952,10/27/2020,joebiden slams president trump \xe2\x80\x9che won\xe2\x80\x99t say blacklivesmatter  because they do.\xe2\x80\x9d biden goes on to say america won\xe2\x80\x99t forget people like georgefloyd &amp; breonnataylor but there is no place for violence or riots. bideninatlanta gapol,United States of America,Georgia,GA,Joe Biden,0,-0.3\r\n953,10/27/2020,joebiden takes the stage at his drive-in rally in atlanta. he refers to the loud trump supporters just beyond the gate as \xe2\x80\x9cvery polite people\xe2\x80\x9d then highlights georgia democrats running for office. \xe2\x80\x9clet\xe2\x80\x99s give the people of georgia two new senators.\xe2\x80\x9d gapol bideninatlanta,United States of America,Georgia,GA,Joe Biden,2,0\r\n954,10/27/2020,joebiden workers workersfirst,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n955,10/27/2020,joenbc cuz the know biden might win and wreck the economy with more lockdowns higher taxes and higher gas prices. libertariansfortrump,United States of America,New York,NY,Joe Biden,0,-0.1\r\n956,10/27/2020,julius_kim already did joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n957,10/27/2020,kamalaharris joebiden padmalakshmi will u prosecute hunter biden for trying to sell our interests to china national security threat.  vote draintheswamp,United States of America,New York,NY,Joe Biden,0,-0.1\r\n958,10/27/2020,keeping posting your voice matters  voteearly bidenharris2020 joebiden bidencares,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n959,10/27/2020,kenolin1 today was a tough day. what made it better i voted biden/harris joebiden senkamalaharris,United States of America,New York,NY,Joe Biden,0,-0.1\r\n960,10/27/2020,kevpking muirfalls redistrict that &amp; it\xe2\x80\x99s quite a polarized - but also stable - electorate. many of us ds can\xe2\x80\x99t conceive of why anyone would vote tarim yet we know at least 40-45% voters will. i.e. biden has a ceiling- a ceiling plenty high &amp; absolutely possible he hit in early &amp; has just been hanging there,United States of America,New York,NY,Joe Biden,0,-0.1\r\n961,10/27/2020,latiffani1 the american flag is automatically associated with the realdonaldtrump.  many of joebiden's supporters despise it so supporters don't fly one so as not to offend.,United States of America,Alabama,AL,Joe Biden,0,-0.4\r\n962,10/27/2020,leaf by leaf. vote by vote. writersforbiden joebiden trumpisnotamerica resistance,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n963,10/27/2020,let's make this happen voteblue vote biden notmypresident,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n964,10/27/2020,letswinthis pleaseleavetwitterandvote thanks biden,United States of America,California,CA,Joe Biden,1,0.8\r\n965,10/27/2020,liberal kid sues his momfor being white.trump trump2020 cancelculture whiteprivilege sjw snowflakes biden blm funny comedy satire,United States of America,Colorado,CO,Joe Biden,1,0.4\r\n966,10/27/2020,looks like my mail-in ballot got counted dropped it off last week at mary collins community center in miami lakes \xf0\x9f\x99\x8f\xf0\x9f\x99\x8f\xf0\x9f\x99\x8f biden kamala voteblue2020 votethemout,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n967,10/27/2020,looks like we get that 3rd presidential debate after all. epic rap battles of history  via youtube joebiden donaldtrump govote election2020,United States of America,Virginia,VA,Joe Biden,1,0.1\r\n968,10/27/2020,ltgovtimgriffin whitehouse johnboozman sentomcotton let\xe2\x80\x99s be clear - acb did not earn this position.  she\xe2\x80\x99s been a judge less than 3 years.  she\xe2\x80\x99s a pawn in trumps sick game.  he is packing the court with allies biden/harris2020,United States of America,California,CA,Joe Biden,0,-0.6\r\n969,10/27/2020,maga the biden plan is the socialist plan he know that saying he will pack the court would be his downfall so here is his idea,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n970,10/27/2020,many thanks grandpasnarky for leading the resistance. resist gotv fbr biden votebluedownballot,United States of America,Florida,FL,Joe Biden,1,0.4\r\n971,10/27/2020,mariannanbcnews joebiden btw i have no inside knowledge but i absolutely would not for a second worry that mi visit it out of concern. he\xe2\x80\x99s gotta do it. after hrc failed to do so biden has got to convey to folks in midwest that they\xe2\x80\x99re the folks he wants to finish this journey w/. no brainer imho,United States of America,New York,NY,Joe Biden,2,0\r\n972,10/27/2020,miami-dade mail in / drop box voters\xe2\x80\x94 check to see if your ballot was rejected and if so you can fix it easily biden needs your vote. we need your vote,United States of America,California,CA,Joe Biden,2,0\r\n973,10/27/2020,mikependejo ferric242 mariannanbcnews joebiden here's to that on the sun tough guy in actively looking forward to folks' devastation i have no certainty on the outcome of this race my opposition to the president isn't about his supporters if biden were to win my feeling toward good faith trump folks would be empathetic,United States of America,New York,NY,Joe Biden,0,-0.8\r\n974,10/27/2020,moneyempire biden mark my words,United States of America,New Hampshire,NH,Joe Biden,0,-0.1\r\n975,10/27/2020,moscowmitch traded over 100000 american lives for his stolen seat on the supreme court. congratulations senatemajldr.  that can't be reversed either.  mondaysenatebluewave bidencoalition biden demcastca demcast,United States of America,California,CA,Joe Biden,2,0\r\n976,10/27/2020,native719 joebiden if joebiden admits to helping hunterbiden make $$millions in ukraine russia and china i'll....petition president trump to pardon him in 2021.,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n977,10/27/2020,new finance video just dropped y\xe2\x80\x99all go check it out \xf0\x9f\x8e\xa5\xf0\x9f\x94\xa5 stockmarket investing joebiden 2020election finance,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n978,10/27/2020,new movie about biden,United States of America,New York,NY,Joe Biden,2,0\r\n979,10/27/2020,nikkivinck emily_l_siegel kamalaharris joebiden michigandems meenaharris converse garypeters thank you nikkivinck and your beautiful daughter. you made me cry. let\xe2\x80\x99s keep fighting for all of our daughters sisters and mothers who paved the way for all of us. biden/harris 2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n980,10/27/2020,normsass jcr03791259 yamiche acbconfirmed vote biden harris covid19,United States of America,California,CA,Joe Biden,1,0.2\r\n981,10/27/2020,nwpinpdx me too trump pushed that bitch through for spite please folks go out &amp; vote voteblue biden,United States of America,California,CA,Joe Biden,0,-0.9\r\n982,10/27/2020,oh you mean putin is sending a n envoy to joebiden or are you referring to family &amp; friends of the quarter million americans dead because trumpisanationaldisgrace,United States of America,Virginia,VA,Joe Biden,0,-0.6\r\n983,10/27/2020,omar expects biden to enact her agenda if elected  biden,United States of America,California,CA,Joe Biden,0,-0.3\r\n984,10/27/2020,omg please share this far and wide twitter world\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9d\xa4\xef\xb8\x8fbest ad yet\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8fthis should be on every tv screen across america\xf0\x9f\x8c\x8a\xf0\x9f\x8c\x8a\xf0\x9f\x8c\x8a\xf0\x9f\x8c\x8a resisters bluewave2020 bidenharris2020 biden,United States of America,New York,NY,Joe Biden,1,0.7\r\n985,10/27/2020,on tuckercarlsontonight will be bobulinski speaking on emails and conversations with biden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n986,10/27/2020,one week from the biggest moment in history next week - the future of american business and healthcare will be decided. energy. clean energy. airlines. ev. electric vehicles stocks wallstreet election2020 trump biden gold oil dollar nationaldebt healthcare politics,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n987,10/27/2020,one week left to use your voice/power go vote \xf0\x9f\x92\x99\xf0\x9f\x97\xb3 voting vote election elections politics democracy votingmatters votingrights  registertovote votersuppression  ivoted govote voterregistration news civilrights votebymail voter  america voteblue biden,United States of America,North Carolina,NC,Joe Biden,0,-0.5\r\n988,10/27/2020,only way to level the field and right the wrong is for joebiden to add 2 seats nominate 2 female justices and at least one them is a black jurist 2/2 expandthecourt,United States of America,California,CA,Joe Biden,0,-0.5\r\n989,10/27/2020,orangeradman this is trump fault he failure failure failure failure failure failure failure failure failure as leadership he failure to american people joebiden joebidenkamalaharris2020,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n990,10/27/2020,pennsylvania trump doesn't care about you. he said he won't help pa unless you vote for him. i call bs. vote for joe biden. he does care about all people regardless of political party. joe is one of us. americaneedspennsylvania for the love of everything good vote joebiden.,United States of America,New York,NY,Joe Biden,1,0.1\r\n991,10/27/2020,playing amongus with my 9 yr old \xf0\x9f\x92\x80 2020election trumpislosing biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n992,10/27/2020,plot twist ominous back ground music... poll trending ivoted vote2020 politics acb acbconfirmation bidenharris biden trump democrat republican democrats republicans democracy plottwist bigtech technology breaking breakingnews,United States of America,California,CA,Joe Biden,0,-0.6\r\n993,10/27/2020,poet_economist voxdotcom we can do more.  starting with the media\xe2\x80\x94 acbconfirmed biden trump covid19 vote,United States of America,California,CA,Joe Biden,2,0\r\n994,10/27/2020,politicususa wow. humility. empathy. courage. optimism. that\xe2\x80\x99s joebiden. healing democracy. turn on msnbc now,United States of America,New York,NY,Joe Biden,1,0.2\r\n995,10/27/2020,press joebiden drops bomb on oil industry thehill,United States of America,Texas,TX,Joe Biden,2,0\r\n996,10/27/2020,prevent a zombie uprising  via youtube can you believe this is a legitimate campaign add in the year 2020 please forgive the idiots running the country dear founding fathers. vote decision2020 donaldtrump joebiden covid19,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n997,10/27/2020,projectlincoln let\xe2\x80\x99s celebrate a trump loss next tuesday we can make it a definite landslide biden betoorourke,United States of America,Texas,TX,Joe Biden,1,0.3\r\n998,10/27/2020,raniakhalek i voted here in new york for ralph nader in 2000 and i don't regret it. that said i'll be voting enthusiastically for joe biden. i don't care what official democrats say. i know we have to bury trump under an avalanche and my vote will help.,United States of America,New York,NY,Joe Biden,1,0.2\r\n999,10/27/2020,rasmussen_poll rasmussen has the biggest swings it's laughable. joebiden,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1000,10/27/2020,realdonaldtrump --- i did fact check dr. fauci trump you are lying again bidenharristosaveamerica joebiden,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1001,10/27/2020,realdonaldtrump are you kidding that is by design to keep people safe there is a raging pandemic. joebiden cares about his supporters. you put your followers in harms way. covidiots byedon,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1002,10/27/2020,realdonaldtrump blah blah blah. another day the same old sh*t. no wonder everybody\xe2\x80\x99s voting for biden donthecon babytrump tuesdaymotivation,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1003,10/27/2020,realdonaldtrump follow the internet - and $$ contributions.  it\xe2\x80\x99s 2020.  i voted for joebiden but i wouldn\xe2\x80\x99t go and see him in person.  why should i  but i\xe2\x80\x99d put my $$ where my mouth is.,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1004,10/27/2020,realdonaldtrump i\xe2\x80\x99ll be busy being a poll watcher for joebiden and i\xe2\x80\x99m bringing cans of soup with me.,United States of America,Illinois,IL,Joe Biden,2,0\r\n1005,10/27/2020,realdonaldtrump joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1006,10/27/2020,realdonaldtrump maybe those cities should stop sending money to the federal government. let\xe2\x80\x99s see how long red states last without $$$ from nyc la and chicago. joebiden will be president for all the cities. all the states bidenharristosaveamerica,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1007,10/27/2020,realdonaldtrump most important election of your life indeed  if you want to live through this pandemic vote joebiden,United States of America,Massachusetts,MA,Joe Biden,1,0.5\r\n1008,10/27/2020,realdonaldtrump pardoned realsheriffjoe dineshdsouza and gave the medal of freedom to realrlimbaugh so i know that potus has a lot of powers can joebiden transfer my citizenship to my home country or germany i am all alone in the usa no family,United States of America,Georgia,GA,Joe Biden,2,0\r\n1009,10/27/2020,realdonaldtrump people are so dumb.  the usa will run out of oil by 2050 - so reality will almost end that anyway.  like in europe. a responsible leader will have discussions on a transition because the energy world will look very different in 2050... let me tell you  vote joebiden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1010,10/27/2020,realdonaldtrump sorry. already voted for a real leader joebiden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1011,10/27/2020,realdonaldtrump waved the \xe2\x80\x9cwhite flag\xe2\x80\x9d on america\xe2\x80\x99s battle against covid19 from the moment he knew it was on our shores it\xe2\x80\x99s time to make him wave the \xe2\x80\x9cwhite flag\xe2\x80\x9d on his cancerous presidency.  trumphasfailed trumpmeltdown obama biden projectlincoln,United States of America,Illinois,IL,Joe Biden,2,0\r\n1012,10/27/2020,realdonaldtrump you think people want to change their vote to you rather than friom you  \xf0\x9f\x98\x82 every day more americans are waking up from the trumpian fever dream of lies &amp; propaganda. every day more americans are choosing integrity over corruption science over fiction truth over lies. biden,United States of America,California,CA,Joe Biden,0,-0.4\r\n1013,10/27/2020,reformthecourt biden bidenharris2020,United States of America,Tennessee,TN,Joe Biden,1,0.3\r\n1014,10/27/2020,rncresearch  biden had the irs press bogus charges against jillbiden jilltracyjacobs jillgiacoppa consisted of billstevenson not putting withholding money in special bank account but in another.,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1015,10/27/2020,roe is gone. aca is gone. biden must win and we must absolutely expand the court. also i hope republicans understand what comes next once the aca is torched.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n1016,10/27/2020,rt and get the word out \xf0\x9f\x98\x8d biden bideniscorrupt bideniscompromised,United States of America,Colorado,CO,Joe Biden,1,0.2\r\n1017,10/27/2020,scotus better not steal the presidency from biden the way they did from gore it will be worse than the evil cheney administration election2020 biden amyconeybarrettscotus,United States of America,California,CA,Joe Biden,0,-0.8\r\n1018,10/27/2020,scotuspanel biden after the blue landslide the president-elect must create the commission to determine supremecourt\xe2\x80\x99s future.,United States of America,Missouri,MO,Joe Biden,0,-0.3\r\n1019,10/27/2020,selbjim thebookviking redistrict btw for serious i enjoy the convo &amp; glad to chat about after results. but know that if biden loses i'll be pissed &amp; pretty surprised - but not stunned suicidal or feeling foolish. so if point=talking smack at someone it'll bother that's not me. 1/,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1020,10/27/2020,senate confirmed an ultra conservative justice that was picked by a president that was impeached after americans were already voting in the 2020 election. this is madness.  trumpislosing  scotus vote2020 votethemallout biden bidenharrislandslide2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1021,10/27/2020,senbillcassidy realdonaldtrump whitehouse the poor example for louisiana women. she will take our rights away. the right to chose to freely vote to earn a living wage. women are having to work care for children while working from home teach during this pandemic. you have done nothing to safely open our state. biden,United States of America,Louisiana,LA,Joe Biden,0,-0.3\r\n1022,10/27/2020,senility is sad...  biden,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n1023,10/27/2020,seven days until election day the anxiety just became real for me  bradpitt joebiden donaldtrump,United States of America,California,CA,Joe Biden,1,0.3\r\n1024,10/27/2020,several parents got their children involved in today\xe2\x80\x99s event at the amphitheatre at lakewood. joebiden bideninatlanta gapol,United States of America,Georgia,GA,Joe Biden,1,0.2\r\n1025,10/27/2020,social media has been the largest violator of your 1st amendment rights. i would say i am appalled but i\xe2\x80\x99m not. no news on biden and ukraine or china. trump2020 needs your vote to protect our rights as americans.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1026,10/27/2020,society needs a large lesson on ableism. especially right now. joebiden whatdementia ableism,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1027,10/27/2020,sooo telling the truth about biden is carrying water for trumpers \xf0\x9f\x98\x82\xf0\x9f\x98\x86\xf0\x9f\x98\x82\xf0\x9f\x98\x86\xf0\x9f\x98\x82\xf0\x9f\x98\x86 bluemagablack logic... \xe2\xac\x87\xef\xb8\x8f,United States of America,California,CA,Joe Biden,2,0\r\n1028,10/27/2020,sorry it\xe2\x80\x99s just you me and 200 million other non-magats ranging from aoc progressives to lincolnproject limited-purpose biden backers. we are in the wilderness.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1029,10/27/2020,stevenmazie liberalgoddess so right this moment there\xe2\x80\x99s one available remedy for democrats vote w such overwhelming voice that this ruling doesn\xe2\x80\x99t get anywhere near impacting the result. biden,United States of America,New York,NY,Joe Biden,2,0\r\n1030,10/27/2020,susboz108 realdonaldtrump markmeadows secpompeo whnsc joebiden cnn abc nbc really biden cares after 47 yrs of bidens indifference we can only assume the chinese wrote your message potus trump2020,United States of America,California,CA,Joe Biden,0,-0.5\r\n1031,10/27/2020,taxes are a hot topic for elections. principal kathryn jodon and partner erica cameron discuss proposed taxpolicies of the major presidential candidates and planning considerations. watch here  election2020 biden trump,United States of America,New York,NY,Joe Biden,2,0\r\n1032,10/27/2020,thank you .\xf0\x9f\x99\x8f\xf0\x9f\x8f\xbb gop republicans republicansagainsttrump bidenharrislandslide2020 biden,United States of America,New York,NY,Joe Biden,1,0.8\r\n1033,10/27/2020,the economics of being black in the u.s. higher unemployment that\xe2\x80\x99s slower to come down in recoveries. time to change that \xe2\x81\xa6barackobama\xe2\x81\xa9 \xe2\x81\xa6michelleobama\xe2\x81\xa9 biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.3\r\n1034,10/27/2020,the end of democracy vote bidenharris joebiden,United States of America,California,CA,Joe Biden,0,-0.4\r\n1035,10/27/2020,the huge crowds biden is drawing scares me. election2020,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1036,10/27/2020,the police could\xe2\x80\x99ve used a less lethal option. philly pa prayforphilly 2020 policebrutality joebiden donaldtrump kamalaharris stop killing black people blacklivesstillmatter help philadelphiapolice violence saveournblackmen 215 westphilly barackobama,United States of America,Pennsylvania,PA,Joe Biden,0,-0.7\r\n1037,10/27/2020,the real melania is voting for joe biden too  melaniatrump joebiden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1038,10/27/2020,the tech oligarchs are suppressing laptopfromhell because they themselves are involved with bidencrimefamilly joebiden biden laptopfromhell,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1039,10/27/2020,thedemocrats joebiden michelleobama this week the dems better get their all star team out campaigning across the swings states. trump is catching up we need to win this race. saveourdemocracy joebiden americaneedspennsylvania votebluetosaveamerica voteblue,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n1040,10/27/2020,there is  no path for biden to win whitehouse unless it happens  on nov 3rd,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1041,10/27/2020,therecount ivanka have you heard your father's speeches seen his performance on the first debate if you want to see respectful civility and you're referring us to him you're on the wrong page. biden offers the civility you tout.,United States of America,Georgia,GA,Joe Biden,2,0\r\n1042,10/27/2020,this administration is not prolife - let\xe2\x80\x99s redefine pro life as pro all life biden harris,United States of America,Pennsylvania,PA,Joe Biden,0,-0.7\r\n1043,10/27/2020,this is not how you win the popular vote  america wanted you to respect rbglegacy but hey you wanted to play a chess move  bidenharris2020 joebiden ussenate amycomeybarrett supremecourtconfirmation cnn,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1044,10/27/2020,this is only going to drum up the biden base. this is going to come back and bite trump in the butt biden supremecourtconfirmation,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n1045,10/27/2020,this is powerful. this is why we vote for joebiden. we as fathers must raise strong men but we must raise men who are compassionate loving giving and who realize that there is strength in love.,United States of America,Idaho,ID,Joe Biden,1,0.3\r\n1046,10/27/2020,this is the same gop that biden thinks is going to have an epiphany after trump is defeated.\xf0\x9f\x99\x84,United States of America,Kentucky,KY,Joe Biden,0,-0.4\r\n1047,10/27/2020,this is what happens when you gaslight the american people and manipulate us to not believe nothing nefarious is going on with the biden's and attack pres. trump for 4 years. biden hunter laredo,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1048,10/27/2020,this is why your vote matters. the climate of hostility that is fostered by trump &amp; cronies must end. biden bidenharris2020 votebluedownballot lesliestahl,United States of America,Colorado,CO,Joe Biden,0,-0.2\r\n1049,10/27/2020,tic toc... but 100% nothing going to happen until after joebiden loses.,United States of America,Minnesota,MN,Joe Biden,2,0\r\n1050,10/27/2020,to all the weirdos pretending they\xe2\x80\x99re time travelers this is your time prove you\xe2\x80\x99re real and go back and time to fix this shit amyphonybarrett bidenharris2020 biden 2020sucks,United States of America,Texas,TX,Joe Biden,0,-0.9\r\n1051,10/27/2020,today i confirmed my mailinvote was received by the city of newyork &amp; counted i voted for joebiden and kamalaharris to save the planet fight covid destroy institutional racism protect women's and lgbtq rights and institute guncontrol. why do you vote voteearly,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1052,10/27/2020,today was a shitty day on the national stage but we made calls to voters in wisconsin and we spoke to so many wonderful people. holding on to a sliver of hope for america. women4biden vote joebiden,United States of America,California,CA,Joe Biden,1,0.2\r\n1053,10/27/2020,torstrick everything thing i see about biden speaks to what happens when you leave an old man with mental decline in a corrupt environment.,United States of America,Washington,WA,Joe Biden,2,0\r\n1054,10/27/2020,trump is still trying to goad iran into conflict. but his officials are looking ahead -- and tying president biden's hands about restoring the nuclear deal. my post mondoweiss. israel,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1055,10/27/2020,trump supporters beyond the fence at the joebiden event in atlanta can be heard chanting \xe2\x80\x9cfour more years\xe2\x80\x9d and \xe2\x80\x9ctrump\xe2\x80\x9d bideninatlanta gapol,United States of America,Georgia,GA,Joe Biden,0,-0.5\r\n1056,10/27/2020,trump was elected to rid the worst scum from our society he was in position to actually get on rushmore instead he listened to the rot &amp; filled the swamp the same rot that loves biden. wallst weaponmakers hollywood healthcareparasites msm prisonsys russiagaters ....,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1057,10/27/2020,trumpwarroom biden thinks she\xe2\x80\x99s a man lol,United States of America,New York,NY,Joe Biden,2,0\r\n1058,10/27/2020,trump\xe2\x80\x99s truly moonlighting as biden\xe2\x80\x99s zoomer outreach director,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1059,10/27/2020,tucker carlson tony bobulinski is about to tell us what he knows about joe and hunter biden  foxnews bidenharris hunterbidenlaptop hunter biden bidenharris2020,United States of America,Colorado,CO,Joe Biden,1,0.1\r\n1060,10/27/2020,tuckercarlson's entire tuesday night show to feature interview of biden whistleblower tony bobulinski,United States of America,Illinois,IL,Joe Biden,2,0\r\n1061,10/27/2020,twenty former u.s. attorneys \xe2\x80\x94 all of them republicans \xe2\x80\x94 on tuesday publicly called president trump \xe2\x80\x9ca threat to the rule of law in our country\xe2\x80\x9d and urged he be replaced in november with his democratic opponent former vice president joe biden.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1062,10/27/2020,unemployment in pennsylvania is over 10% and covid19 has smashed their economy. donaldtrump has butchered the response to this virus and allow it to destroy a good economy he inherited from the obama\xe2\x80\x99s administration. joebiden can build it back he has done it before vote,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1063,10/27/2020,uspresidentialelections2020 betting odds heatmap - biden *daily change* in % point lead. one can see the recent shifts discussed above for heatmap above more clearly here.,United States of America,New York,NY,Joe Biden,1,0.1\r\n1064,10/27/2020,vote because republicans don't want you to. votebluedownballot  bidencoalition biden demcastca demcast vote  mondaysenatebluewave,United States of America,California,CA,Joe Biden,0,-0.2\r\n1065,10/27/2020,vote biden,United States of America,New Jersey,NJ,Joe Biden,1,0.4\r\n1066,10/27/2020,vote bidenharris joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1067,10/27/2020,vote bidenharris joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1068,10/27/2020,vote bidenharris joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1069,10/27/2020,vote for dems in the senate house and lets get biden elected,United States of America,North Carolina,NC,Joe Biden,1,0.1\r\n1070,10/27/2020,vote for joebiden to get your freedom back. you're free to do anything you want within the circle while wearing a mask.,United States of America,California,CA,Joe Biden,1,0.3\r\n1071,10/27/2020,vote joebiden votebluetoendthisnightmare,United States of America,New York,NY,Joe Biden,1,0.3\r\n1072,10/27/2020,vote morethanavote projectlincoln crookedmedia meenaharris rockthevote steveschmidtses whenweallvote election 2020election joebiden kamala,United States of America,California,CA,Joe Biden,2,0\r\n1073,10/27/2020,voted for sleepy joe \xe2\x80\x98cause i am so tired of trump. no line in red hook at 430 today. vote biden,United States of America,New York,NY,Joe Biden,2,0\r\n1074,10/27/2020,voteinperson pa for biden,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n1075,10/27/2020,voters conclude joe biden benefited from hunter biden business deals  via breitbartnews,United States of America,California,CA,Joe Biden,2,0\r\n1076,10/27/2020,votethemout vote voteblue votethemallout biden bidenharris2020 bidenharristosaveamerica trumpiscompromised judgeamyconeybarrett amyconeybarrett amyconeybarrett,United States of America,California,CA,Joe Biden,1,0.2\r\n1077,10/27/2020,walkaway joebiden joewillleadus joebidensneighborhood joebidenissick creepyjoe quidprojoe,United States of America,Texas,TX,Joe Biden,1,0.4\r\n1078,10/27/2020,walkaway walkawayfromdemocrats walkawayfromdemocratsforever bidencrimefamiily biden,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1079,10/27/2020,watching joe biden speak articulately and intelligently to diverse hopeful crowd in ga right now so pleased to see that my favorite old white guy doesn\xe2\x80\x99t have the poor judgment to try to dance on stage despite catchy black eyed peas tune playing; current potus take note,United States of America,New York,NY,Joe Biden,1,0.8\r\n1080,10/27/2020,we need a big win for biden or the gop votersupression plans win.,United States of America,Virginia,VA,Joe Biden,2,0\r\n1081,10/27/2020,we need every vote to get a government that works for us. votethemallout mondaysenatebluewave trumpsurrendered voteblue bidencoalition biden demcastca demcast,United States of America,California,CA,Joe Biden,2,0\r\n1082,10/27/2020,we seem to be within the margin of era. petebuttigieg joebiden kamalaharrisvp,United States of America,California,CA,Joe Biden,1,0.1\r\n1083,10/27/2020,we wish that you could vote here so that you could vote with kindness too. i already cast my vote for kindness. i cast my vote for joebiden because he stands for kindness.,United States of America,Georgia,GA,Joe Biden,1,0.4\r\n1084,10/27/2020,welcome to the rural wave rural cases are likely to keep climbing - daily yonder  biden katyturnbc nbcnightlynews foxnews abc7amarillo election2020  covid19 trump iowa texas ohioforbiden,United States of America,Massachusetts,MA,Joe Biden,1,0.4\r\n1085,10/27/2020,what happened to the protests black lives matter and antifa civil rights protests go strangely silent as election day nears - santa monica observer  election blm antifa electionblackmail systemicracism joebiden riots2020 blmantifasoupkitchen,United States of America,California,CA,Joe Biden,0,-0.4\r\n1086,10/27/2020,what in the heck is happening to joebiden he's suffering from dementia no american can rightfully vote for a mentally incompetent candidate to be president of the us wth are liberals thinking joebiden kamalaharris maga,United States of America,Kentucky,KY,Joe Biden,0,-0.8\r\n1087,10/27/2020,when will joebiden denounce whitesupremacists whitesupremacist richardspencer endorses joe biden.,United States of America,Ohio,OH,Joe Biden,0,-0.5\r\n1088,10/27/2020,whitehouse let's win it all back and kavanaugh and barrett will be impeached for perjury and we will balance out the universe once again...  hold tight people.  vote like it matters and it does more than anything else right now.  joebiden  endrepublicancorruption,United States of America,Oregon,OR,Joe Biden,1,0.5\r\n1089,10/27/2020,who are you voting for election2020  bitcoin xrp fantasyfootball trump biden,United States of America,North Carolina,NC,Joe Biden,0,-0.3\r\n1090,10/27/2020,who will whisper in joebiden's ear when he is president,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1091,10/27/2020,why is it  joebiden at 77 is too old to serve a 4 year term.  but mitchmcconnell at 78 is young enough to serve a 6 year term.,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1092,10/27/2020,why is it that vote suddenly means to vote for biden just come out and say it already,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1093,10/27/2020,why millions of freelancers fear a biden presidency may put them out of work. ca law ab5 assumes that every worker in the state is an employee unless employers can prove otherwise using the rigorous \xe2\x80\x9cabc test\xe2\x80\x9d it is based on. voteyeson22,United States of America,California,CA,Joe Biden,0,-0.3\r\n1094,10/27/2020,wildonion markritson little chance it\xe2\x80\x99s a bad ruling but it\xe2\x80\x99s impact is very much at the margins of an election where the early vote is going to be well in excess of 60% of total \xe2\x80\x9816 turnout. if biden plan relied on mail ballots arriving post-election day in wi he never had a good chance,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1095,10/27/2020,wisconsin supremecourt scotus election2020  bidenharris2020 joebiden biden,United States of America,California,CA,Joe Biden,1,0.4\r\n1096,10/27/2020,with just one more week left demlist is here to provide you some of the last biden-harris events and ways to support them. click the link  to find out how you can be a part of it all,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n1097,10/27/2020,wondering why vladimir putin likes biden realdonaldtrump,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1098,10/27/2020,wow. just wow. watch every second of this and then ask yourself \xe2\x80\x9cwhat can i do to promote justice and show love\xe2\x80\x9d vote  joebiden,United States of America,New Mexico,NM,Joe Biden,1,0.5\r\n1099,10/27/2020,ya. me toooo what the heck is he saying now biden blonde hairy legs. vote2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1100,10/27/2020,yes biden has raised more money but look how red the country is trump got money from more places. don't get too comfortable.,United States of America,California,CA,Joe Biden,0,-0.6\r\n1101,10/27/2020,you are probably right........but then again fyi obama spoke at the biden event.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n1102,10/27/2020,you can change your vote in connecticut michigan minnesota missouri new york pennsylvania &amp; wisconsin. below is a list some of the requirements. if you have buyers remorse if you no longer want to vote for joebiden read the article and act promptly. and god-bless you,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1103,10/27/2020,you can change your vote to trump if you realized you made a mistake in voting for biden,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1104,10/27/2020,you wonder why joebiden had packed it up for the final 9 days of his campaign it's. fucking. over,United States of America,North Carolina,NC,Joe Biden,0,-0.5\r\n1105,10/27/2020,\xf0\x9f\x94\xb4 live podcast 27 october 2020 on spreaker 2020election biden tribulation trump,United States of America,New York,NY,Joe Biden,2,0\r\n1106,10/28/2020,blm chicago walkaway biden trump mmflint cnn chriscuomo donlemon 50cent savannahguthrie so proud to be in the right side of history trumolandslide,United States of America,New York,NY,Joe Biden,1,0.7\r\n1107,10/28/2020,byebyebiden biden bidenfamilycorruption elections2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n1108,10/28/2020,why do black entertainers always get a seat at the table houstonpodcast theculturalcorner rapper youngjeezy thetalk blackissues steveharvy icecube joebiden trump trump2020 blackpeople blm houstonpodcast dallaspodcast eplasoppodcast,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1109,10/28/2020,- oha releases newest covid-19 figures ...nine more deaths  \xe2\x80\xa6 covid_19 oregon pdx orpol portland beaverton lakeoswego electionday trump biden gop democrats,United States of America,Oregon,OR,Joe Biden,0,-0.1\r\n1110,10/28/2020,-gov.  brown extends covid19 emergency measures for oregonians to follow through jan. 2... oregon portland pdx beaverton hillsboro  katebrown trump biden voteearlyday,United States of America,Oregon,OR,Joe Biden,2,0\r\n1111,10/28/2020,10 years too late - also joebiden needs to register too,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1112,10/28/2020,2/2 he may not be a bumbling clown like 45 but they're on the same team. btw what does the us do worldwide looting and violence but you won't see that on tv. is this your king biden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.5\r\n1113,10/28/2020,20 former republican us attorneys endorse biden campaign vote2020 voteearly vote votebidenharris2020,United States of America,Georgia,GA,Joe Biden,2,0\r\n1114,10/28/2020,a victory in texas would hand biden the white house.  how can i help  texasdemocrats txyoungvoters  txblackdemocrat  collegedemstx txdisableddems tx19dems roadwomentx kendalltx_dems newdemocratintx,United States of America,New York,NY,Joe Biden,2,0\r\n1115,10/28/2020,ahh the crowd size political theory...i\xe2\x80\x99m going with the number of biden signs vs trump signs political theory in my conservative neighborhood. biden is ahead.,United States of America,Missouri,MO,Joe Biden,0,-0.2\r\n1116,10/28/2020,alexes_ochoa02 thank you brave americans are risking their lives to vote. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1117,10/28/2020,amazonmusic kianalede my 19 year old daughter was thrilled to vote for joebiden as a firsttimevoter,United States of America,California,CA,Joe Biden,1,0.9\r\n1118,10/28/2020,and then take advantage of the tax laws in place under the biden / obama administration to write off the loss.,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1119,10/28/2020,anyone who leaves their crackpipe and drivers license in a rental car wants to get caught. whereishunter bidencrimefamiily joebiden joebideniscorrupt bobulinskiinterview bobulinsky tucker ccp chinesecommunistparty,United States of America,Texas,TX,Joe Biden,2,0\r\n1120,10/28/2020,barackobama joebiden vote trump - hbcu and opportunityzones . what have biden and kamala or obama done other than lock innocent black's up i'm waiting. vote for trump and keep america great,United States of America,California,CA,Joe Biden,2,0\r\n1121,10/28/2020,beefalo123 realdonaldtrump i hope for your sake you\xe2\x80\x99re not crying come november 4th or later. i guess we shall see hopefully your tweet will age well but likely not bidenharris2020 biden vote,United States of America,Montana,MT,Joe Biden,0,-0.5\r\n1122,10/28/2020,bernie biden pelosi kamala sherrod elizabeth aoc,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1123,10/28/2020,biden,United States of America,California,CA,Joe Biden,1,0.3\r\n1124,10/28/2020,biden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1125,10/28/2020,biden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1126,10/28/2020,biden  bidenharris2020  bidencrimefamiily,United States of America,California,CA,Joe Biden,1,0.3\r\n1127,10/28/2020,biden &amp; kamala not trending today how is that possible with 6 days out from an election it\xe2\x80\x99s almost as if they are not running,United States of America,Colorado,CO,Joe Biden,0,-0.7\r\n1128,10/28/2020,biden and trump will both head to florida as election campaign enters final stretch,United States of America,California,CA,Joe Biden,2,0\r\n1129,10/28/2020,biden biden biden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1130,10/28/2020,biden bidenharris2020 biden2020 bidenharris united joebiden joebiden2020 election election2020 democrats democrats vote votethemout voteblue voteearly vote2020 votelikeyourlifedependsonit votebluetosaveamerica votebidenharris2020 votebiden votehimout2020,United States of America,California,CA,Joe Biden,2,0\r\n1131,10/28/2020,biden bidenharris2020 vote voteblue vote2020 votehimoutandlockhimup tuesdaysenatebluewave americaneedspennsylvania wednesdaysenatebluewave bidenharris2020tosaveamerica,United States of America,New York,NY,Joe Biden,1,0.1\r\n1132,10/28/2020,biden crime family is a wholly owned subsidiary of communist china inc.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1133,10/28/2020,biden has a bobulinksi problem,United States of America,Arizona,AZ,Joe Biden,0,-0.5\r\n1134,10/28/2020,biden hits trump for leaving his supporters to freeze to death in omaha. biden said trump only cares about his photo-op and leaves everyone else to clean up his damage. politics 2020election,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1135,10/28/2020,biden holds 8-point lead in michigan as he tries to reconstruct the \xe2\x80\x98blue wall\xe2\x80\x99,United States of America,Puerto Rico,PR,Joe Biden,1,0.2\r\n1136,10/28/2020,biden is a selfish pervert sociopath. only cates for himself n kids,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1137,10/28/2020,biden is weak. ampfw election2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1138,10/28/2020,biden just needs to win florida. but if trump wins florida he will have to win these combinations of states to get to 270. elections2020,United States of America,Illinois,IL,Joe Biden,2,0\r\n1139,10/28/2020,biden leads trump by 12 in new national poll thehill,United States of America,Texas,TX,Joe Biden,2,0\r\n1140,10/28/2020,biden lied to us.,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1141,10/28/2020,biden makes final appeal before casting his own ballot reminding voters that during the upswing of the coronavirus pandemic trump says to lesliestahl before storming off the interview set i hope they end it. i hope they end the aca amyconeybarrett election2020,United States of America,California,CA,Joe Biden,0,-0.6\r\n1142,10/28/2020,biden says he will appoint commission to \xe2\x80\x98study\xe2\x80\x99 whether to expand supreme court  biden supremecourt election2020,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1143,10/28/2020,biden section230 bigtech bigtechcensorship wednesday,United States of America,New York,NY,Joe Biden,1,0.1\r\n1144,10/28/2020,biden stretches lead over trump in michigan wisconsin pennsylvania poll thehill,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1145,10/28/2020,biden supporters are deranged violent idiots.,United States of America,Ohio,OH,Joe Biden,0,-0.9\r\n1146,10/28/2020,biden takes 5-point lead over trump in georgia in new poll thehill,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1147,10/28/2020,biden up 17points in new wisconsin poll thehill,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1148,10/28/2020,biden yeah dump don in november bidenharris bidencoalition teamjoe houston texas,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1149,10/28/2020,bidencrimefamiily biden,United States of America,California,CA,Joe Biden,1,0.3\r\n1150,10/28/2020,bidencrimefamiily bidencartel biden hunter whereishunter 2020election,United States of America,New York,NY,Joe Biden,1,0.1\r\n1151,10/28/2020,bidencrimefamiily is getting buried on tuckercarlson right now unbelievably explosive interview about joebiden - thanks for being a true patriot tonybobulinski - realdonaldtrump - foxnews - cnn - msnbc - usatoday,United States of America,Arizona,AZ,Joe Biden,1,0.7\r\n1152,10/28/2020,bidenharris biden beijingbiden wednesdaywisdom wednesday wednesdayvibes,United States of America,New York,NY,Joe Biden,1,0.2\r\n1153,10/28/2020,bidenharris2020 biden joebidensneighborhood joerogan joewillleadus joebiden2020 iowa philly pennsylvania floridaforbiden wisconsinforbiden wisconsinfootball wisconsin michigan nevadaforbiden,United States of America,Washington,WA,Joe Biden,1,0.2\r\n1154,10/28/2020,blacklivesmatter worldseries joebiden tonybobulinski adamschiff biden bidenstax blm china democrats trump acbconfirmation,United States of America,Texas,TX,Joe Biden,2,0\r\n1155,10/28/2020,bob26025690 joebiden i'm done...you can keep spinning this all you need to to feel justified in your support of joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1156,10/28/2020,bobquarantine joebiden poor ole joe watched tucker tonight and has now decided to stay in hiding tomorrow.  no one is allowed to ask joe questions. \xf0\x9f\xa4\xab\xf0\x9f\xa4\xab they tucked him away in bed.  \xf0\x9f\x9b\x8c\xf0\x9f\x9b\x8c  and where in the heck is hunter\xe2\x9d\x93  wake up usa\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote biden rally lansingtrumprally wisconsin nebraska,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1157,10/28/2020,bobulinksi  biden ccp plausible deniability,United States of America,California,CA,Joe Biden,1,0.2\r\n1158,10/28/2020,bobulinski joebiden,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n1159,10/28/2020,bobulinski joebiden hunterbidenlaptop,United States of America,California,CA,Joe Biden,1,0.3\r\n1160,10/28/2020,brave texans are risking their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1161,10/28/2020,bretbaier good grief it matters that joebiden lied about taking money from china you and foxnews should be taking this scandal more seriously what he did may have been illegal how dare you imply that it shouldn't matter to voters. thank god for tuckercarlson,United States of America,California,CA,Joe Biden,2,0\r\n1162,10/28/2020,buzzfeednews we know who - donaldtrump - just painted a scenario where four weeks from now - or is it three weeks after the inauguration that joebiden  \xe2\x80\x9cis shot\xe2\x80\x9d and asks of kamalaharris  is \xe2\x80\x9cready\xe2\x80\x9d. well. we know he knows he losing. i hope security is paying  attention to the death threat,United States of America,California,CA,Joe Biden,0,-0.4\r\n1163,10/28/2020,cactusflower81 michaelsanewman joebiden drbiden thedemocrats dnc joebiden,United States of America,Arizona,AZ,Joe Biden,1,0.4\r\n1164,10/28/2020,can anyone name one thing that biden has done in his 47 years that has made my life even greater,United States of America,Texas,TX,Joe Biden,1,0.9\r\n1165,10/28/2020,can you should you segment customers today based on politics here\xe2\x80\x99s my recent article  marketing marketingstrategy business businessnews advertising political election trump biden vote  vote2020 election2020 polling news medium medium,United States of America,Louisiana,LA,Joe Biden,0,-0.7\r\n1166,10/28/2020,can\xe2\x80\x99t wait for this to drop  \xf0\x9f\x98\x82biden,United States of America,California,CA,Joe Biden,1,0.9\r\n1167,10/28/2020,carloperna charliekirk11 robertrokdawg trump inc is king of conflicts &amp; corruption.  biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n1168,10/28/2020,cast\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbbyour\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbbvote\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbb bidenharris2020 voteearly vote2020 vote votehimout election2020 biden harris joebiden kamalaharris gavinnewsom,United States of America,California,CA,Joe Biden,1,0.1\r\n1169,10/28/2020,cbsnews nbcnews abc cnn msnbc nytimest npr washingtonpost maddow biden tonybobulinski jaketapper morningjoe speakerpelosi fakenewsmediaclowns\xf0\x9f\xa4\xa1,United States of America,New York,NY,Joe Biden,1,0.3\r\n1170,10/28/2020,chi-na joebiden,United States of America,Ohio,OH,Joe Biden,2,0\r\n1171,10/28/2020,cisakrebs jaketapper vote trump - hbcu and opportunityzones . what have biden and kamala done other than lock innocent black's up i'm waiting. vote for trump and keep america great,United States of America,California,CA,Joe Biden,2,0\r\n1172,10/28/2020,coffino_chris foxnews kamalaharris joebiden this horrible situation happened on trump\xe2\x80\x99s watch... what the hell does kamalaharris or joebiden have to do with this we can all do better \xf0\x9f\xa5\xba,United States of America,Colorado,CO,Joe Biden,0,-0.7\r\n1173,10/28/2020,collusion hunter biden allegedly represented chinese ceo in deal to help russia\xe2\x80\x98s state oil company  via breitbartnews,United States of America,California,CA,Joe Biden,0,-0.5\r\n1174,10/28/2020,cream of the crop art centre county landowners let artists turn field into a election2020 | \xe2\x81\xa6pittsburghpg\xe2\x81\xa9 joebiden,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n1175,10/28/2020,criminalinchief lockhimup enemyofthepeople 2020election taxreturns joebiden maga2020 all of his supporters whom are rational and reasonable need to rethink their positions. trump doesn\xe2\x80\x99t care about you he cares about the market which is a poor indicator of the economy,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n1176,10/28/2020,crookedbiden crookedjoe crookedjoebiden crookedbidenfamily saynotojoe slowjoe trump2020 trump2020landslide compromised tonybobulinski bidencrimefamiily canichangemyvote walkaway bidenfamilycorruption foxnews joebiden maga kag2020 trump plausibledeniability,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1177,10/28/2020,crookedbiden crookedjoe crookedjoebiden crookedbidenfamily saynotojoe slowjoe trump2020 trump2020landslide compromised tonybobulinski bidencrimefamiily canichangemyvote walkaway bidenfamilycorruption foxnews joebiden maga kag2020 trump plausibledeniability,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1178,10/28/2020,crookedbiden crookedjoe crookedjoebiden crookedbidenfamily saynotojoe slowjoe trump2020 trump2020landslide compromised tonybobulinski bidencrimefamiily canichangemyvote walkaway bidenfamilycorruption foxnews joebiden maga kag2020 trump plausibledeniability,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1179,10/28/2020,crookedbiden crookedjoe crookedjoebiden crookedbidenfamily saynotojoe slowjoe trump2020 trump2020landslide compromised tonybobulinski bidencrimefamiily canichangemyvote walkaway bidenfamilycorruption foxnews joebiden maga kag2020 trump plausibledeniability lol,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1180,10/28/2020,cuz it ain\xe2\x80\x99t official without a pic. earlyvoting nycvotes kamalaharris joebiden youcanstoptextingmenow,United States of America,New York,NY,Joe Biden,2,0\r\n1181,10/28/2020,dannyinsurance abcpolitics more like desperation to keep biden from revealing greater loss of mental acuity than already suspected. potus yikes,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n1182,10/28/2020,dbongino  byebyebiden biden bidenfamilycorruption elections2020  dan you're the greatest. you are a true patriot. keep up the great work.,United States of America,Pennsylvania,PA,Joe Biden,1,0.9\r\n1183,10/28/2020,dbongino presidenttrump acknowledges china iran &amp; russia are serious existential threats to america and freedom. don't hear that from joebiden. why burisma hunterslaptop tonybobulinsky knows.,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n1184,10/28/2020,dbuis56 michno03 kathya70426555 dunkin1008 whitehouse realdonaldtrump joebiden oh i\xe2\x80\x99m specifically talking about time left in the usa.  sorry for mixup. here we only have 10 years left.  and if you don\xe2\x80\x99t think that\xe2\x80\x99s accurate then times 3 for errors and that takes us to 2050. the country energy mix is going to look completely different then. joebiden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1185,10/28/2020,dead biden offset migos,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1186,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1187,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1188,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1189,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1190,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1191,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1192,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1193,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1194,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1195,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1196,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1197,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1198,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1199,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1200,10/28/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1201,10/28/2020,democrats support joe biden because he's a child molester. joebiden,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1202,10/28/2020,deny this joebiden,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1203,10/28/2020,destroy sickotrump with your vote  for joebiden,United States of America,Kansas,KS,Joe Biden,0,-0.6\r\n1204,10/28/2020,deville_jay zeffersstudios feministatheis3 ricky_no_soy speakerpelosi vote trump - hbcu and opportunityzones . what have biden and kamala done other than lock innocent black's up i'm waiting. vote for trump and keep america great,United States of America,California,CA,Joe Biden,2,0\r\n1205,10/28/2020,dfmresearch nicely said. fl will be close but you'd also much - much - rather be biden re clear paths to 270 even if losing fl yes accounting for degree i think courts/suppression factor in. also much of biden wider lead=indies favoring him change from '16 &amp; not captured by ev stats.,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1206,10/28/2020,dhiggins63 i totally disagree with obama biden &amp; 99% of liberal views.  however not showing candidates with whom i disagree is similar to not reporting on joebidencorruption by the other msm networks &amp; bigtechcensorship.,United States of America,Alabama,AL,Joe Biden,0,-0.5\r\n1207,10/28/2020,diary of a radio junkie 1803 days of waking up to the news philadelphia philadelphiaprotest walterwallace policeshooting earlyvoting election2020 biden nj newark newjersey coronavirus covid19 covid__19 shutdown worldseries2020 worldserieschamps ladodgers art,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1208,10/28/2020,did it. because the scientists and experts are not idiots. because human rights are everyone\xe2\x80\x99s rights. because being a woman is not a preexisting condition. because science is real. because the virus is real. because joe is the real deal. joebiden bidenharris2020 vote,United States of America,California,CA,Joe Biden,0,-0.2\r\n1209,10/28/2020,divinity11 i know. i can't tell you how bad it makes me feel hearing this kind of  vitriol spewed about the dems. i block them as soon as i can but can't miss their words while it's trending. biden is the only hope we have. only the rich r immune for now. and ice cube is a rich has been.,United States of America,California,CA,Joe Biden,2,0\r\n1210,10/28/2020,do not stop pushing. all gas; no brakes. bidenharris2020 biden vote votebluetosaveamerica,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1211,10/28/2020,does anyone know where kamala\xe2\x80\x99s drive-in rally will be today in phoenix i\xe2\x80\x99d love to attend and show support kamalaharris joebiden vote phoenix kamalaharrisvp \xe2\x9c\x8a\xf0\x9f\x8f\xbd,United States of America,Arizona,AZ,Joe Biden,1,0.5\r\n1212,10/28/2020,does the biden tax plan impact your future taxes,United States of America,New York,NY,Joe Biden,1,0.1\r\n1213,10/28/2020,don\xe2\x80\x99t be fooled by any of it. vote like joebiden is down by 20 points. votelikeyourlifedependsonitbecauseitdoes votelikeyourrightsdependonit votebluedownballot votebluetosaveamerica2020,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1214,10/28/2020,election2020 elections2020 electionday biden obama,United States of America,New York,NY,Joe Biden,1,0.3\r\n1215,10/28/2020,election2020 joebiden,United States of America,Puerto Rico,PR,Joe Biden,1,0.3\r\n1216,10/28/2020,election2020 tonybobulinski is outing bidencrimefamiily plays tape of biden allies responding to him going public you\xe2\x80\x99re \xe2\x80\x98gonna bury all of us\xe2\x80\x99 hunterbiden robwalker...,United States of America,Ohio,OH,Joe Biden,0,-0.7\r\n1217,10/28/2020,elonmusk biden in a box.,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1218,10/28/2020,emills28 ppollingnumbers abc washingtonpost most important election in my lifetime  go joebiden,United States of America,Wisconsin,WI,Joe Biden,1,0.7\r\n1219,10/28/2020,exactly \xf0\x9f\x8e\xaf pedo pinocchio joe biden is a fool. the \xf0\x9f\xa4\xacdemocraps &amp; their precious green new deal are psychos peddling insanity. have no doubt they are the party of death &amp; destruction. if you want life liberty &amp; the pursuit of happiness you will votetrumptosaveameric,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1220,10/28/2020,final marquette poll biden leads trump by 5 points among likely wisconsin voters,United States of America,Puerto Rico,PR,Joe Biden,0,-0.1\r\n1221,10/28/2020,former gop voter \xe2\x80\x9ci think under donald trump he seems to really like dictators and he doesn\xe2\x80\x99t seem to have much regard for our long-time traditional allies. it\xe2\x80\x99s become the party that i didn\xe2\x80\x99t join. i didn\xe2\x80\x99t leave the party the party left me.\xe2\x80\x9d joebiden,United States of America,California,CA,Joe Biden,0,-0.3\r\n1222,10/28/2020,georgepapa19 where's bill19293640 hiding out this days in the basement w/joebiden why is noting getting done washingtoncorruption,United States of America,California,CA,Joe Biden,0,-0.5\r\n1223,10/28/2020,glennbeck's on the scene reporter elijah had his tooth knocked out in philadelphia by joebiden's hillaryclinton barackobama hired nation wrecking goons antifa civil war is coming if joebiden is inserted. civil war is coming when realdonaldtrump wins in a landslide enough,United States of America,California,CA,Joe Biden,0,-0.3\r\n1224,10/28/2020,go somewhere right now and yell fire and see if you end up in jail for it. this is a stupid weak argument and people need to stop falling for it. not to mention it\xe2\x80\x99s wrong and it\xe2\x80\x99s a lie ..... someone needs to tell biden but he will forget by tomorrow,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1225,10/28/2020,guess what i did great feeling vote2020. vote. voteblue2020 america. bidenharris2020. usa\xf0\x9f\x87\xba\xf0\x9f\x87\xb8  joebiden. joebiden2020,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1226,10/28/2020,guessing covering up for biden made jonlemire too busy to watch the bobulinsky interview on tuckercarlson .  \xe2\x80\x9cunsubstantiated\xe2\x80\x9d kind of like your entire organization.,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n1227,10/28/2020,hahahaaa realdonaldtrump you left your people behind in the freezing cold 6 days from the election  what a joke you are. those poor americans were duped just like anyone who\xe2\x80\x99s ever dealt with you. that\xe2\x80\x99s ok. joebiden is going to win and we take care of our own. loser.,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n1228,10/28/2020,he doesn't care about us but joebiden and kamalaharris do. covid19 bidencoalition,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1229,10/28/2020,hell no to mueller and hallelujah to sally yates for biden attorney general,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1230,10/28/2020,hey biden supporters - joebiden says china is good so lay off the dollar tree stores,United States of America,Texas,TX,Joe Biden,2,0\r\n1231,10/28/2020,hey leftists the biden corruption scandal isn\xe2\x80\x99t about hunter it\xe2\x80\x99s about joe joebiden,United States of America,Alaska,AK,Joe Biden,0,-0.6\r\n1232,10/28/2020,hicaliberlilgal read what joebiden says to this young girl and you want this rat  for president,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1233,10/28/2020,highlight was the elderly woman who moved to florida and said \xe2\x80\x9ci don\xe2\x80\x99t live in pennsylvania anymore and i already voted for biden so if you\xe2\x80\x99re a damn trumpster i\xe2\x80\x99m hanging up\xe2\x80\x9d i laughed and said \xe2\x80\x9cno no i\xe2\x80\x99m for joe. i\xe2\x80\x99m really glad you voted\xe2\x80\x9d,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n1234,10/28/2020,hikemtnsems charliekirk11 don\xe2\x80\x99t be a sucker.     trump is playing y\xe2\x80\x99all - he is a massive failure.    china  biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n1235,10/28/2020,hunter biden partner speaking to fbi today after accusing joe biden  via nypost wakeupamerica biden bidenharris2020,United States of America,California,CA,Joe Biden,0,-0.5\r\n1236,10/28/2020,hunterbiden joebiden china terrorism \xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n1237,10/28/2020,hunterbiden's ex-business partner tonybobulinski 'joebiden and the biden family are compromised'  more headlines,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1238,10/28/2020,i don\xe2\x80\x99t care if i\xe2\x80\x99m ignored. i just have to say it. the traitor to our country biden just faced cameras talking about chinese virus and about how honest he is. are you freekin\xe2\x80\x99 kidding me did i dream bobulinski &amp; tuckercarlson \xf0\x9f\xa4\xaf,United States of America,California,CA,Joe Biden,0,-0.3\r\n1239,10/28/2020,i guess obama &amp; biden had an open-door policy for commie china\xe2\x80\x99s spies. nice to see trump\xe2\x80\x99s jd nabbing them.,United States of America,New York,NY,Joe Biden,1,0.1\r\n1240,10/28/2020,i know for a fact there is a kazakhstan deal because it was in the text. bobulinksi tucker biden foxnews,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1241,10/28/2020,i know the sun shines out my a$$...  essentially the closing argument of donaldtrump potus.  vote joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n1242,10/28/2020,i pray hundreds of times a day that joebiden will prevail,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1243,10/28/2020,i seriously do not understand how anyone could vote for joebiden kamalaharris,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1244,10/28/2020,i voted   joebiden trumpisanationaldisgrace trumpisaracist bidenharristoendthisnightmare    bye bye felisha,United States of America,South Carolina,SC,Joe Biden,2,0\r\n1245,10/28/2020,i was considering joebiden ... i don't think so now.  democrats are out of control.,United States of America,Georgia,GA,Joe Biden,0,-0.5\r\n1246,10/28/2020,i will be so thankful after next week when biden can just stay in his basement and be bottle fed so we never have to see his phony lying ass again.,United States of America,District of Columbia,DC,Joe Biden,0,-0.9\r\n1247,10/28/2020,i wish 300 million americans were listening to this tucker interview. joebiden is the alpha swamp creature.,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n1248,10/28/2020,i wonder if hunterbiden ever gets tired of joebiden only talking about beau. hunter is forever in second place.,United States of America,Louisiana,LA,Joe Biden,0,-0.1\r\n1249,10/28/2020,i'm thinking it will be funny and totally on-brand when realdonaldtrump is trailing badly on electionnight and he suddenly becomes a believer in the late-arriving results of mailinballots not that they'll help him anyway. bidenharrislandslide2020 vote voteblue biden,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1250,10/28/2020,if i did vote it wouldn\xe2\x80\x99t be for biden just saying,United States of America,California,CA,Joe Biden,0,-0.5\r\n1251,10/28/2020,if joebiden wins america loses and may never recover. the democrats will fundamentally change the structure and function of our government and constitution. we will more closely resemble the former soviet union than that more perfect union.,United States of America,California,CA,Joe Biden,0,-0.2\r\n1252,10/28/2020,if you want to be in the know on what's going on in the world check out our foolsfoul feed where you can get daily deep dives into the biggest stories.  biden trump news vote2020,United States of America,Colorado,CO,Joe Biden,1,0.4\r\n1253,10/28/2020,if your a berniesanders fan and can't see yourself voting for biden johncusack has something to say to you.,United States of America,Oregon,OR,Joe Biden,0,-0.6\r\n1254,10/28/2020,if you\xe2\x80\x99re republican and realize your conscience won\xe2\x80\x99t allow you to vote for t this time around please don\xe2\x80\x99t throw away your vote by writing in some name like reagan or daffy duck. make your vote meaningful for your country\xe2\x80\x99s health. biden,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1255,10/28/2020,in 2015 kayleighmcenany praised joebiden as a 'man of the people' who resonates with 'middle class' over 'tycoon' because she knew it was true donaldtrump,United States of America,Illinois,IL,Joe Biden,1,0.4\r\n1256,10/28/2020,in houston harriscounty and need to vote \xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 riceuniversity lines are way shorter earlyvoting at rice held 7a-7p oct. 27-29 at rice stadium. voting on electionday 11/3 will be 7a-7p at rice stadium. bidenharris2020 biden,United States of America,California,CA,Joe Biden,2,0\r\n1257,10/28/2020,interesting another republican throwing his support behind biden...election2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.4\r\n1258,10/28/2020,is there a biden house anywhere in the country this is a woman who is dedicated to our president.  president trump should stop by after the election to thank the folks of western pennsylvania for their hard work and dedication.  via dcexaminer,United States of America,District of Columbia,DC,Joe Biden,1,0.4\r\n1259,10/28/2020,it\xe2\x80\x99s over for joebiden joebiden,United States of America,Nevada,NV,Joe Biden,0,-0.3\r\n1260,10/28/2020,i\xe2\x80\x99ve always wondered how borat made it... now i know. biden has been doing deals with kazakhstan... literally \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 joebiden trump2020 tonybobulinski tuckercarlson,United States of America,Oklahoma,OK,Joe Biden,1,0.3\r\n1261,10/28/2020,jackposobiec joe biden has an effect on people \xf0\x9f\x98\x82,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1262,10/28/2020,janicedean nygovcuomo crookedbiden crookedjoe crookedjoebiden crookedbidenfamily saynotojoe slowjoe trump2020 trump2020landslide compromised tonybobulinski bidencrimefamiily canichangemyvote walkaway bidenfamilycorruption foxnews joebiden maga kag2020 trump plausibledeniability,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1263,10/28/2020,jeffdaniels narrates new biden campaign ad for michigan thehill,United States of America,Texas,TX,Joe Biden,2,0\r\n1264,10/28/2020,jerrysaltz mrcairoresists awesome moves to see this kind of energy &amp; 'make the best of it' attitudes when being forced to wait in line for hours to vote is incredible. the more they try to keep us down the more determined we become. this is what biden means when he speaks of americans having grit.,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1265,10/28/2020,jesserodriguez she\xe2\x80\x99s absolutely right. unfortunately hubby is not going anywhere near better or responsible. i heard she voted for biden. has that been confirmed wouldn\xe2\x80\x99t that make a great lawn sign melaniaforbiden,United States of America,Minnesota,MN,Joe Biden,0,-0.2\r\n1266,10/28/2020,jobs biden obama    \xe2\x80\x9cis the healthy job market today due to a continuation of the obama recovery hardly\xe2\x80\x9d,United States of America,New York,NY,Joe Biden,1,0.2\r\n1267,10/28/2020,joe is selling these on his website. just kidding tonybobulinski joebiden hunterslaptop,United States of America,Georgia,GA,Joe Biden,2,0\r\n1268,10/28/2020,joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1269,10/28/2020,joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1270,10/28/2020,joebiden  joebiden2020 is a one world government sell out of the usarmy  realrlimbaugh  share  trump 2020  means freedom/  free  markets    bubolinski  spilled the beans on hunterbiden   bidens enslaved to china disqualified  national risk   share,United States of America,Ohio,OH,Joe Biden,0,-0.5\r\n1271,10/28/2020,joebiden 2 years after the tree of life shooting the world feels dark. we must be the light. - jewish telegraphic agency  via jtanews,United States of America,New York,NY,Joe Biden,2,0\r\n1272,10/28/2020,joebiden and his family isn't the only career politician that's been selling out our country. look closer at the ones who have circled their wagons around him. quidprojoe would be the first big domino to fall. i'm thinking there are those in the fbi who know all about it.,United States of America,Nevada,NV,Joe Biden,0,-0.1\r\n1273,10/28/2020,joebiden being presidential. it\xe2\x80\x99s a good look for america. joebiden kamalaharris \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbc\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbc,United States of America,Hawaii,HI,Joe Biden,1,0.3\r\n1274,10/28/2020,joebiden biden2020 bidenfamilycorruption,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1275,10/28/2020,joebiden bidenharris2020 tonybobulinsky corruption,United States of America,Alabama,AL,Joe Biden,0,-0.6\r\n1276,10/28/2020,joebiden buildbackbetterinbeijing  a vote for biden is a vote for killary hussein eric holder valerie jarrett the iranian mole huma abedin the saudi mole  billclinton convicted pedophiles weiner weinstein &amp; jeffreyepstein's friend. common core curriculum stays. no jobs. chaos,United States of America,California,CA,Joe Biden,0,-0.4\r\n1277,10/28/2020,joebiden different path = loss of you tax break $6000 x gas prices double x socialized medicine x open borders x hunter will reappear in china x joe will disappear x kamala new president x the quad will rule the country x socialism x lots more = communism usa  vote biden teamtrump,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1278,10/28/2020,joebiden doesn\xe2\x80\x99t need to make a grand entrance and has the dignity and intelligence to understand we are in the middle of a pandemic biden/harris can\xe2\x80\x99t come soon enough,United States of America,Kansas,KS,Joe Biden,2,0\r\n1279,10/28/2020,joebiden guess you are using your 40 foot teleprompter.  this is not a biden vs trump election it is trump vs china virus.  vote joe and be locked down and wear a mask that will be mandated for years.  didn't you notice that all of a sudden the china virus numbers rose. biden vote,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1280,10/28/2020,joebiden is a racist.,United States of America,Arizona,AZ,Joe Biden,2,0\r\n1281,10/28/2020,joebiden is corrupt,United States of America,Minnesota,MN,Joe Biden,0,-0.8\r\n1282,10/28/2020,joebiden jillbiden kamalaharris democrat rico vote nov3rd bobulinski maga trump,United States of America,New Jersey,NJ,Joe Biden,2,0\r\n1283,10/28/2020,joebiden joebiden crook votered voteredtosaveamerica votered2020removeeverydemocrat womenfortrump trump2020,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1284,10/28/2020,joebiden joebidenkamalaharris2020 blacklivesmatter blm voteblue votebluetoendthisnightmare lgbt lgbtq climatechange climatevoter,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n1285,10/28/2020,joebiden joebidensneighborhood,United States of America,California,CA,Joe Biden,1,0.3\r\n1286,10/28/2020,joebiden lies,United States of America,Nevada,NV,Joe Biden,0,-0.6\r\n1287,10/28/2020,joebiden listen to biden \xf0\x9f\x97\xb3,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1288,10/28/2020,joebiden must step down. he is now disqualified to run for potus as a dark cloud of corruption allegation hangs over his head.,United States of America,North Carolina,NC,Joe Biden,0,-0.8\r\n1289,10/28/2020,joebiden supporters in rural wisconsin are threatened that unless they stop advertising their support for \xe2\x80\x9cdestroying our cities\xe2\x80\x9d they would be dealt with as a direct threat to the safety and well-being of our families and children\xe2\x80\x9c,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1290,10/28/2020,joebiden vote bidenharris2020,United States of America,California,CA,Joe Biden,1,0.2\r\n1291,10/28/2020,joebiden vows to unify and save country \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 | trumpvirus trump potus hits midwest from ap,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n1292,10/28/2020,johnfetterman amtrak is in need can yinz speak out about this they're about to furlough a ton of workers in harrisburg &amp; i know biden has a plan to save them...,United States of America,Pennsylvania,PA,Joe Biden,0,-0.6\r\n1293,10/28/2020,josh dickson the christian case for joebiden  via ctmagazine / believersforbiden election2020,United States of America,Florida,FL,Joe Biden,2,0\r\n1294,10/28/2020,journalists have coddled and protected joebiden.  joe answers two questions and just walks away. what do the journalists do they don\xe2\x80\x99t press him to answer more. they just let him walk away. just watched it live. he walked away because he\xe2\x80\x99s afraid to answer harder questions.,United States of America,Louisiana,LA,Joe Biden,0,-0.5\r\n1295,10/28/2020,justdropout joebiden bidenharris2020 creepyjoebiden  hunterbidenslaptop election2020 maga,United States of America,California,CA,Joe Biden,1,0.4\r\n1296,10/28/2020,kamala harris\xe2\x80\x99 husband douglasemhoff in allentown pa this morning. joebiden,United States of America,New York,NY,Joe Biden,1,0.1\r\n1297,10/28/2020,kamalaharris vote trump - hbcu and opportunityzones . what have biden and kamala done other than lock innocent black's up i'm waiting. vote for trump and keep america great,United States of America,California,CA,Joe Biden,2,0\r\n1298,10/28/2020,katyperry katyperry voted have you  vote  voteearly joebiden kamalaharris bidenharris2020 votebluetosaveamerica iwillvote,United States of America,Florida,FL,Joe Biden,1,0.2\r\n1299,10/28/2020,kayleighmcenany realdonaldtrump i'm team biden until after the election when we can once again be teamusa.  i've had more than enough of traitortrump and trumpcorruption.  his lack of respect for our constitution is undermining our democracy.,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n1300,10/28/2020,kayleighmcenany realdonaldtrump this is a no brainer for me.  biden is being safe and cares vrs your guy who spreads covid.,United States of America,California,CA,Joe Biden,1,0.6\r\n1301,10/28/2020,kencoleman one of a lawless horrible president or a decent man   biden.  .,United States of America,California,CA,Joe Biden,0,-0.8\r\n1302,10/28/2020,kenolin1 we will find out when biden takes over in january,United States of America,Nevada,NV,Joe Biden,0,-0.1\r\n1303,10/28/2020,kimdotcom biden is using chicago politics on a world scale.   getting paid.  chicagosmayor do you approve this message,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n1304,10/28/2020,know your rights on election day please save &amp; share  \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 votethemout thefutureisunwritten vote votehimout election biden bidenharris2020 fucktrump democracy maskup,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1305,10/28/2020,ladies and gentlemen the most sexist president we\xe2\x80\x99ve ever seen who has no respect for working women and who has a new scotus justice who literally thinks women are not equal to men. thank you next. biden genderequity womensrights,United States of America,Hawaii,HI,Joe Biden,1,0.1\r\n1306,10/28/2020,lisamarieboothe right lisa biden is seriously more corrupt than even i thought. trump2020  cali girl trying..... \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x99\x8f\xf0\x9f\x99\x8f\xf0\x9f\x99\x8f,United States of America,California,CA,Joe Biden,0,-0.1\r\n1307,10/28/2020,long long lines to vote - yes unprecedented lines - it\xe2\x80\x99s what we\xe2\x80\x99ll see too when a realvaccine is available free to every american in 2021 under a new sheriff - joebiden and kamalaharris vote,United States of America,Virginia,VA,Joe Biden,2,0\r\n1308,10/28/2020,mainstream media needs to look in the mirror and start doing the right thing. this story needs to be reported on every news station and news paper in the country. joebiden tonybobulinski donaldtrump 2020election,United States of America,California,CA,Joe Biden,0,-0.3\r\n1309,10/28/2020,marcuslemonis endorsement of joebiden climate change is an existential threat. asia opens their economies with little to no covid while us economy sinks deeper with record covid. taking away healthcare from small business is a nightmare especially for self-employed. that's how you can help.,United States of America,Virginia,VA,Joe Biden,0,-0.3\r\n1310,10/28/2020,marklevinshow biden trump,United States of America,Florida,FL,Joe Biden,2,0\r\n1311,10/28/2020,mcmikeskywalker acosta so...explain how he\xe2\x80\x99s tried to do that seems the press is suppressing stories negative towards biden and the bidenfamilycorruption.,United States of America,Michigan,MI,Joe Biden,0,-0.7\r\n1312,10/28/2020,meanwhile... on the tv network's nightly news... bidenscandal joebiden hunterbiden abcnews nbcnews cbsnews cnn msmbc,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1313,10/28/2020,meidastouch omaha_scanner do we need more evidence that trump is a biden supporter he is actively trying to neutralise his base.,United States of America,California,CA,Joe Biden,0,-0.5\r\n1314,10/28/2020,meidastouch omaha_scanner joebiden would not do this to his supporters. this is why his car rallies are such a good idea. social distancing is used and everyone gets home safe. votebluetosaveamerica,United States of America,New York,NY,Joe Biden,1,0.1\r\n1315,10/28/2020,michael democratic candidate for pa state house district 187. journalism journalist documentary filmmaker film pa pennsylvania allentown joebiden  allentown pennsylvania,United States of America,New York,NY,Joe Biden,2,0\r\n1316,10/28/2020,mideastamerican communites in northcarolina are mostly few decades recent. many students are backing biden-obama. workers small businesses &amp; professionals are mostly backing realdonaldtrump. split in the middle on social matters leaning trump on economy &amp; foreign policy.,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1317,10/28/2020,milestaylorusa great piece even with trump gone we as a nation and society have a lot of work to do i think biden slogan to buildbackbetter is spot on. thank you for speaking out and choosing countryoverparty \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd,United States of America,California,CA,Joe Biden,1,0.7\r\n1318,10/28/2020,millions of ballots yet unreturned as time for reliable postal delivery passes  via msnbc news votebymail elections2020 electionday elections vote voting usps trump biden bidenharris2020,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1319,10/28/2020,missmichkah augbarker tylerinsavannah annie_woodard xthebigdealx giffordscourage joebiden gabbygiffords not to mention everyone who was in that room and saw joebiden hug that boy with such compassion and reassurance,United States of America,Florida,FL,Joe Biden,1,0.9\r\n1320,10/28/2020,mmpadellan i\xe2\x80\x99m bringing my whole family. my dad me and my three kids plus a friend. all voting for joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1321,10/28/2020,more evidence about the biden family comes out.  witnesses emails and text messages. jillbiden joebiden kamalaharris democrat rico vote nov3rd bobulinski,United States of America,New Jersey,NJ,Joe Biden,1,0.1\r\n1322,10/28/2020,more information about chairman ye that mr. bobulinski was talking about on the tucker interview tonight. whereishunter joebiden,United States of America,Texas,TX,Joe Biden,2,0\r\n1323,10/28/2020,mrandyngo julio_rosas11 rt biden was here,United States of America,New York,NY,Joe Biden,2,0\r\n1324,10/28/2020,mrandyngo they could never build a business like that only destroy.  and biden will let the loose on decent human being not sh----,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1325,10/28/2020,nbcnews cbsenews abcnews cnnnews msnbc. good grief follow the money you idiots. joebiden blatantly lied about discussing hunter's business with china thank god for foxnews and tuckercarlson for interviewing tonybobulinski ask sleepyjoe where he got his millions.,United States of America,California,CA,Joe Biden,0,-0.5\r\n1326,10/28/2020,new_jersey87 i sure am  unfortunately i know more republicans in florida based on where i live and there is a split in some families between husband and wife.  husband for trump and wife for biden .  what does give me hope is number of their children under 30 that support biden.,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1327,10/28/2020,nitetrain_1 catturd2 we don't know. nobody's seen him. lol whereshunterbiden  he's locked up...in joebiden's basement,United States of America,Alabama,AL,Joe Biden,0,-0.5\r\n1328,10/28/2020,not clear why contractors support trump. as a remodeler i know his failed trade war jacked up prices for me &amp; my clients. his failure on healthcare is a drag on small business m4a florida ohio nahbremodelers nahbhome construction biden bidenharris,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n1329,10/28/2020,not so easy as one might think. looks are deceptive quiz can you tell a \xe2\x80\x98trump\xe2\x80\x99 fridge from a \xe2\x80\x98biden\xe2\x80\x99 fridge  trump biden quiz,United States of America,Alaska,AK,Joe Biden,0,-0.7\r\n1330,10/28/2020,obama e ivanka las armas de biden y trump para la florida -  evnews florida donaldtrump joebiden florida eeuu eleciones2020,United States of America,Florida,FL,Joe Biden,1,0.4\r\n1331,10/28/2020,obama e ivanka las armas de biden y trump para la florida -  evnews florida donaldtrump joebiden florida eeuu eleciones2020 28oct,United States of America,Florida,FL,Joe Biden,1,0.4\r\n1332,10/28/2020,obama e ivanka las armas de biden y trump para la florida -  evnews florida donaldtrump joebiden florida eeuu eleciones2020 28oct,United States of America,Florida,FL,Joe Biden,1,0.4\r\n1333,10/28/2020,obama has nerve showing his face to the america he betrayed... not to mention to criticize our potus. he should be under some rock hoping he's not tried for treason soon. barackobama greatest disappointment in presidentialhistory. meanwhile biden's just a cheerleader.,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1334,10/28/2020,oct.28 where trump and biden will be campaigning thehill,United States of America,Texas,TX,Joe Biden,2,0\r\n1335,10/28/2020,on tuckercarlson tonight an interview with tony bobulinski  joebiden thinks he has plausible deniability.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1336,10/28/2020,our colleagues eupinions asked europeans which candidate for u.s. president they'd vote for--here are the results trump biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1337,10/28/2020,our country needs to hear play sing &amp; listen to the words of our national anthem especially right now   joebiden vote2020 bidenharris2020 election2020 starspangledbanner nationalanthem blacklivesmatter  usa vote msnbc2020 foxnews cnn abcnews,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1338,10/28/2020,part of my teams that are gotv for joebiden kamalaharris debbieforfl josejavierjjr cindypolofl103 maureenfor105 dlcava mgepsie &amp; miamidadedems miami miamidade vote election2020 florida flipblue biden harris grassroots,United States of America,Florida,FL,Joe Biden,2,0\r\n1339,10/28/2020,plan your vote  biden harris voteblue voteearly,United States of America,Illinois,IL,Joe Biden,1,0.2\r\n1340,10/28/2020,plausible deniability is the ability of people typically senior officials in a formal or informal chain of command to deny knowledge of or responsibility for any damnable actions committed by others in an organization because of a lack of evidence to confirm involvement biden,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n1341,10/28/2020,plausible deniability= clinton strategy.. lie lie lie bobulinski  plausibledeniability biden tucker,United States of America,California,CA,Joe Biden,0,-0.4\r\n1342,10/28/2020,politico you mean the former joebiden campaign worker,United States of America,Nevada,NV,Joe Biden,0,-0.6\r\n1343,10/28/2020,prediction - nothing will happen about any of a multitude of corruption scandals until after donald trump wins and joe biden concedes. then trump will have nothing to lose and arrests an prosecutions can begin.,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n1344,10/28/2020,projectlincoln this is heart wrenching and unfortunately i remember that face time all to well the tears were running down my mother-in-law\xe2\x80\x99s face. she was so alone. my last memory. he\xe2\x80\x99s in human biden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1345,10/28/2020,proud to cast my ballot for joebiden &amp; kamalaharris victory joebiden kamalaharris dnc2020 democrats usa,United States of America,District of Columbia,DC,Joe Biden,1,0.7\r\n1346,10/28/2020,put joebiden under oath. more evidence about the biden family comes out daily.  witnesses emails and text messages. jillbiden kamalaharris democrat rico vote nov3rd bobulinski,United States of America,New Jersey,NJ,Joe Biden,2,0\r\n1347,10/28/2020,put on your mask and get out and vote 1000\xe2\x80\x99s mailed ballots might not get back on time. votebiden biden bidenharris2020 biden2020 voteblue joebiden kamalaharris cnn cnbc pbs cbsnews business ajenglish,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1348,10/28/2020,quienes somos | joe biden para presidente 2020 mamasconpoder podertejas biden bidenharris   via youtube,United States of America,Texas,TX,Joe Biden,1,0.2\r\n1349,10/28/2020,read the recent icas bulletin today with a special sneak preview commentary on joebiden\xe2\x80\x98s potential chinapolicy by icas staff matt geraci.,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1350,10/28/2020,readers write biden and courtpacking amyconeybarrett chlorpyrifos.,United States of America,Minnesota,MN,Joe Biden,2,0\r\n1351,10/28/2020,realdonaldtrump because there is no biden corruption you made it up with your pervert lawyer fed information through russia... putinspuppet ... why are you trying to suppress the vote  afraid of losing  if you are so popular you should allow every vote to be counted no  covidiot,United States of America,California,CA,Joe Biden,0,-0.4\r\n1352,10/28/2020,realdonaldtrump biden needs to drop out of the race after the tucker / bobulinski bombshell.....shame.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1353,10/28/2020,realdonaldtrump didn\xe2\x80\x99t he have 4 years  why wasn\xe2\x80\x99t this done vote joebiden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1354,10/28/2020,realdonaldtrump said joebiden would be shot in week three. trump is calling for biden to be assasinated,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1355,10/28/2020,realdonaldtrump strandedinomaha \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 you can\xe2\x80\x99t make this stuff up biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.5\r\n1356,10/28/2020,realdonaldtrump the problem is that he can only see \xe2\x80\x9cbig\xe2\x80\x9d.  but america\xe2\x80\x99s problems are under the hood.  vote joebiden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1357,10/28/2020,realjameswoods if biden really was corrupt you would be voting for him and refrain from tucking in your shirt when melania is on tv,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1358,10/28/2020,reasons to vote for joe  biden2020 joebiden biden vote,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1359,10/28/2020,remember  blm biden\xe2\x80\x99s laptop matters biden,United States of America,Texas,TX,Joe Biden,2,0\r\n1360,10/28/2020,remember do not touch your face and washyourhands maskup covid19 coronavirus biden trump trump2020 bidenharris2020 maga bluewave lasvegas vegasstrong dodgers texas omaha florida reno,United States of America,Nevada,NV,Joe Biden,0,-0.5\r\n1361,10/28/2020,rkj65 i don\xe2\x80\x99t get it. i see biden signs everywhere. i\xe2\x80\x99ve turned four voters on my own lol. i know not a lot but it wasn\xe2\x80\x99t a hard turn.  who are these idiots in our state not seeing the clear choice  i think because we gave a corrupt gop state house.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n1362,10/28/2020,robt_gibbs electproject dumptrump bluewave joebiden bidenharristoendthisnightmare,United States of America,Louisiana,LA,Joe Biden,1,0.3\r\n1363,10/28/2020,ryanafournier kamalaharris is ignorant and disgusting. her running mate joebiden plausibledeniability is a crook. you think i'm kidding don't you,United States of America,Utah,UT,Joe Biden,0,-0.9\r\n1364,10/28/2020,sapphiresdust i\xe2\x80\x99m not joking. btw trump is not joking about killing biden as sociopaths do kill people. it\xe2\x80\x99s easy peasy for them.,United States of America,California,CA,Joe Biden,0,-0.2\r\n1365,10/28/2020,scottpresler donaldjtrumpjr crookedbiden crookedjoe crookedjoebiden crookedbidenfamily saynotojoe slowjoe trump2020 trump2020landslide compromised tonybobulinski bidencrimefamiily canichangemyvote walkaway bidenfamilycorruption foxnews joebiden maga kag2020 trump plausibledeniability,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1366,10/28/2020,sean hannity biden says he'll save the world but is 'barely able to leave that bunker',United States of America,California,CA,Joe Biden,0,-0.6\r\n1367,10/28/2020,seanspicer absolutely stunning treason from a presidential candidate.... on the take.... worldly payoff.... i\xe2\x80\x99m stunned that the democratic party makes biden their candidate \xf0\x9f\x98\xb3\xf0\x9f\x98\xb3\xf0\x9f\x98\xb3,United States of America,California,CA,Joe Biden,1,0.6\r\n1368,10/28/2020,shannonlasecki alana_8080 joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1369,10/28/2020,sherrieshepherd early voting for biden/harris and aoc she's my congressperson,United States of America,New York,NY,Joe Biden,1,0.3\r\n1370,10/28/2020,so did i - joebiden and all i see are yard signs in north lake tahoe for joebiden and bryneekennedy ca04,United States of America,California,CA,Joe Biden,0,-0.3\r\n1371,10/28/2020,so if trump did so much for farmers why don\xe2\x80\x99t they have their farms anymore vote joebiden,United States of America,Massachusetts,MA,Joe Biden,0,-0.6\r\n1372,10/28/2020,so my lancaster pa friend is getting furloughed from amtrak nov 1 w/ 4400 others. no stimulus soon &amp; the railroad is toast. biden has a plan to save it. voteblue &amp; can bidenharris2020 pls speak out about this saveamtrak \xf0\x9f\x9a\x89,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n1373,10/28/2020,so what does the economy look like if biden wins  our friend stephenmoore freedomworks joins us to analyze next.  listen live at,United States of America,Texas,TX,Joe Biden,2,0\r\n1374,10/28/2020,so you think you understand the elections2020 think again  realdonaldtrump  joebiden truscribevideos squiglit,United States of America,Minnesota,MN,Joe Biden,0,-0.3\r\n1375,10/28/2020,some good news in swing states. what are you thinking pa  biden is your son,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1376,10/28/2020,something better happen to joebiden  we need justice if this is all true,United States of America,California,CA,Joe Biden,0,-0.5\r\n1377,10/28/2020,soundsaboutright hypocrites election picksomethingandstickwithit trump biden politics,United States of America,California,CA,Joe Biden,0,-0.6\r\n1378,10/28/2020,startrekjunkie number 1 is vote for biden when he wins there will be a step change towards unity in this country the current occupant of the office is the most divisive we have had in a long time biden election2020,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1379,10/28/2020,streaming now on spotify  healthisland by dsouldavis gospel inspirational soul rock peace god spiritual protest  democrats republicans election election2020 wildfires colorado california florida breonnataylor joebiden itsgabrielleu,United States of America,Nevada,NV,Joe Biden,1,0.2\r\n1380,10/28/2020,stucam7771 \xf0\x9f\x98\x82 right he's so dumb that it's almost--almost--funny. don't know who's dumber though--he or his supporters fortunately there are only six more days left before we dumptrump  bluetsunami coming to sweep trump &amp; his gopcomplicittraitors into the sea of oblivion. go biden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1381,10/28/2020,susan democratic congresswoman allentown pa 10.28.20. journalism journalist documentary film filmmaker joebiden allentown pa democrat democrats pennsylvania jcdeproductions nofilter portrait,United States of America,New York,NY,Joe Biden,1,0.1\r\n1382,10/28/2020,susanwalkergirl charliekirk11 truth_again wake up.   trump is a liar &amp; fraud.     biden corruption kushner ivanka,United States of America,Massachusetts,MA,Joe Biden,0,-0.5\r\n1383,10/28/2020,sylvesterturner if texas was in play biden would be campaigning here.  to big of a electoral win to not secure it.,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1384,10/28/2020,tariqnasheed joebiden proves once again that he and kamala don't give a damn about cops murdering black people.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1385,10/28/2020,thank you to all the republicans who are choosing to put aside our differences to vote for biden. i have learned through education that there are many wonderful republicans we have to thank too. we are stronger united\xf0\x9f\x87\xba\xf0\x9f\x87\xb2\xf0\x9f\x8c\x8e,United States of America,Washington,WA,Joe Biden,1,0.7\r\n1386,10/28/2020,that was an implied threat  suggesting that someone should shoot biden.  trump should be criminally charged on that alone.  he's a dangerous lunatic who will stop at nothing to try and win,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1387,10/28/2020,that\xe2\x80\x99s it-  \xe2\x80\x9cthree weeks in joe is shot...\xe2\x80\x9d - is trump giving an order here he  also wants to fire fbi cia  highest ranks.  - please 25anow lockhimup makehimstop vote bidenharris2020 25thamendmentnow joebiden  protectjoebiden,United States of America,California,CA,Joe Biden,0,-0.3\r\n1388,10/28/2020,the 2 best nba coaches in the league of my 2 favorite teams both proud democrats and social justice warriors and so glad they endorsed joebiden for president thank u for being on the right side of history...the humane one democrats docrivers stevekerr biden,United States of America,California,CA,Joe Biden,1,0.9\r\n1389,10/28/2020,the elderly demographic has always had an important role in the election. so it\xe2\x80\x99s not a coincidence that biden and trump are old. scharschool\xe2\x80\x99s jgoldsto op-eds about election2020 and how 70 is the new 50 for politics.,United States of America,Texas,TX,Joe Biden,2,0\r\n1390,10/28/2020,the gop narrative \xe2\x80\x9cif biden wins large us companies will move offshore\xe2\x80\x9d is a false one. it\xe2\x80\x99s the opposite and has nothing to do w/ politics and 2020election everything is going towards automation and labor costs is a red herring ex asian labor cost has risen significantly,United States of America,Nevada,NV,Joe Biden,0,-0.8\r\n1391,10/28/2020,the more and more i look at biden  the more i think he looks like a mobboss,United States of America,Texas,TX,Joe Biden,2,0\r\n1392,10/28/2020,the sky is blue so is the ocean which feeds us so is called earth a blue planet.  its the gift of heaven for exist on this blue planet. and why vote any other color then blue unless looking to bleed and die off.  vote cnn msnbc cnbc biden harrisbiden2020 earth all,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1393,10/28/2020,the term joebiden used when asked about his illegal activities. plausibledeniability. lyingbiden tucker bobulinski foxnews wakeupamerica dontbefooled hunterbidenlaptop chinajoe hunterbidenemails joebiden hidinbiden vote voteredtosaveamerica,United States of America,California,CA,Joe Biden,2,0\r\n1394,10/28/2020,the tonybobulinski interview is the end of the joebiden candidacy.  and to think all bobulinski wanted was a retraction from adamschiff.  schiff wasn't smart enough to do that.  get out and vote people.  we do not need joe biden corruption in the white house,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1395,10/28/2020,thebradfordfile sebgorka where\xe2\x80\x99s the special prosecutor where\xe2\x80\x99s the fbi where\xe2\x80\x99s the paparazzi they shld be camped out at hunterbiden &amp; joebidensneighborhood joebiden corruptjoebiden lyingjoebiden chinajoe,United States of America,California,CA,Joe Biden,0,-0.2\r\n1396,10/28/2020,thehill joebiden excuse for low turnout at his rallies he is not trying to spread the virus the same virus news reports are now saying is mutating into a weaker virus the same virus the democrats want to increase testing on and people are reporting they have no symptoms,United States of America,Minnesota,MN,Joe Biden,0,-0.8\r\n1397,10/28/2020,this biden lied.,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1398,10/28/2020,this election is becoming clearer that it\xe2\x80\x99s between holding up our countries fundamental values or turning it over to a more socialist regime. vote trump biden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1399,10/28/2020,this electoral year in the united states is wild biden\xe2\x80\x99s path to 270 widens trump\xe2\x80\x99s path narrows as texas moves to toss up,United States of America,Puerto Rico,PR,Joe Biden,0,-0.6\r\n1400,10/28/2020,this is a threat in my opinion.. he should make a public apology to joebiden for the comment meant o incite violence against biden  what a crock of b.s. he should be in handcuffs right now. vote traitortrump out vote out his criminalgop indicttrump terroristthreats,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1401,10/28/2020,this man is credible. bidencrimefamiily indicted now-biden step down tell truth include family joe demented-can recall sm facts. family lies-treasonmust do same. corruptmedia detail lies on conservatives.cleanupmesschinabigtechfaucicovid  govmikehuckabee trump,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1402,10/28/2020,this man is risking his life to inform the america people about the biden family.,United States of America,California,CA,Joe Biden,0,-0.8\r\n1403,10/28/2020,times editorial lets slip joe biden\xe2\x80\x99s latin america policy more obama-style coups..joebiden..empire.endlesswar,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1404,10/28/2020,to be fair he's said the same if not worse of men. gender should not be the deciding factor here. how about we just all agree he's a dick to just about everyone no seriously. trump biden womenforbiden menforbiden,United States of America,Oregon,OR,Joe Biden,0,-0.6\r\n1405,10/28/2020,today's washingtonpost abc mind-blowing poll places joebiden 17% ahead of trump in wisconsin rendering it safer than safe for the democrats. if true you may seek the reasons in this array of covid-related headlines in wisconsin newspapers.,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n1406,10/28/2020,tony bobulinski has some interesting things to say last night on tuckercarlson and as a concerned voter would like a response from the joebiden campaign. clarification wether the statements are true/false or an explanation for these accusations would be greatly appreciated.,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1407,10/28/2020,tonybobulinski's testimony may bury the bidencrimefamiily  but the msm &amp; bigtech have backhoes digging joebiden out. censorship,United States of America,Alabama,AL,Joe Biden,0,-0.6\r\n1408,10/28/2020,tonybobulinsky has all the hallmarks of fakenews.  it is scandalous salacious and too uncouth to address on national television.  it\xe2\x80\x99s blasphemy.  those spouting such fake news should be censored.  joebiden democratsaredestroyingamerica fakenewsmedia,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1409,10/28/2020,trump has criminal history and talks about biden being shot. trump election2020 joebiden philly phillyriots,United States of America,California,CA,Joe Biden,0,-0.1\r\n1410,10/28/2020,trump has failed us. to all of the keepamericagreat supporters you are voting for a murder. trump killed 200000 people. we need a leader like joebiden. bidenharris2020,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1411,10/28/2020,trump is not facing biden he is facing the full force of the obama 3 machine and the axis of the iran deal. it has become galactic.,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1412,10/28/2020,trump questions counting late ballots as biden preaches unity in georgia,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1413,10/28/2020,trump to strip protections from tongass national forest one of the biggest intact temperate rainforests - biden must reverse trump\xe2\x80\x99s assault on our environment. if you\xe2\x80\x99ve ever seen these lands &amp; what clearcutting looks like you know trump\xe2\x80\x99s insane.,United States of America,California,CA,Joe Biden,0,-0.6\r\n1414,10/28/2020,trump voters watch fox news. biden voters get news from many sources. this is why 54% of biden voters knew of the allegations about hunter biden &amp; only 19% of trump supporters knew of trump\xe2\x80\x99s secret chinese bank account.  polls elections2020   \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1415,10/28/2020,trump will never ever return to omaha. he never wanted to come there in the first place.  get the hint. he does not care about you. you are not one of him. you are being used. maga trumprallyomaha nebraskafortrump omahastranded biden,United States of America,California,CA,Joe Biden,0,-0.4\r\n1416,10/28/2020,trump2020landslide joebiden be afraid tonybobulinski is creditable.,United States of America,Georgia,GA,Joe Biden,0,-0.5\r\n1417,10/28/2020,trumpsucks biden wednesday,United States of America,Nevada,NV,Joe Biden,1,0.1\r\n1418,10/28/2020,two extremes of very unpalatable people. one outspoken and obnoxious has accomplished so much in 4 years.trump the other an accomplished liar taking credit for everything in 40  impotent years of political life. biden.  the media is making your choice because you\xe2\x80\x99re lazy.,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1419,10/28/2020,unfuckingbelievable this is just one of the many reasons why i voted for biden. trump doesn\xe2\x80\x99t really care. vote,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1420,10/28/2020,vote bidenharris joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1421,10/28/2020,vote elections2020 biden trump votingmatters,United States of America,New York,NY,Joe Biden,1,0.1\r\n1422,10/28/2020,vote for joebiden to get your freedom back,United States of America,California,CA,Joe Biden,0,-0.1\r\n1423,10/28/2020,vote vote vote voteblue2020 joebiden bidenharris2020 cnnnationalpoll,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1424,10/28/2020,vote voteearly changeyourvote maga trump2020 redwave biden pence kamalaharris democratsaredestroyingamerica democrats republicans trumpvirus biden2020 bidenfamilycorruption americaortrump america maga2020 undecidedvoters blm pennsylvania battlegroundstate,United States of America,California,CA,Joe Biden,1,0.2\r\n1425,10/28/2020,voted 3 weeks ago biden,United States of America,Michigan,MI,Joe Biden,2,0\r\n1426,10/28/2020,watch cher perform happiness is a thing called joe in support of joebiden,United States of America,California,CA,Joe Biden,1,0.1\r\n1427,10/28/2020,watch live zeta heads to nola plus protest in philadelphia  blm vote vote2020 election2020 election trump biden maga gawx atlanta atlwx atltraffic alwx flwx lawx mswx nolawx scwx ncwx vawx tnwx hurricane tropics severe tornado,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n1428,10/28/2020,we don't think texas is that stupid. were is the reporting on hunterbiden and joebiden regarding the laptop info stupidcanadians,United States of America,Illinois,IL,Joe Biden,0,-0.4\r\n1429,10/28/2020,well here is presssec kayleighmcenany\xe2\x80\x99s trump\xe2\x80\x99s chief kool-aid drinker statement on milestaylor calling him \xe2\x80\x9cineffectual &amp; incompetent\xe2\x80\x9d along w/further insults re his skills. but i thought donaldtrump said he \xe2\x80\x98only hires the best and brightest\xe2\x80\x99 anonymous joebiden,United States of America,California,CA,Joe Biden,0,-0.3\r\n1430,10/28/2020,well said joebiden votejoe,United States of America,Georgia,GA,Joe Biden,1,0.4\r\n1431,10/28/2020,well the fact the trump can\xe2\x80\x99t walk down a ramp or single handedly drink from a glass or that he\xe2\x80\x99s always being flown in to a hospital or somewhere  my answer biden,United States of America,California,CA,Joe Biden,0,-0.4\r\n1432,10/28/2020,what happens to the original plot trump biden uselection2020,United States of America,California,CA,Joe Biden,2,0\r\n1433,10/28/2020,what role if any did new york governor andrew cuomo have in the hunter biden scandal  biden bobulinski  schumer infrastructure china ukraine followthemoney politics business moneylaundering,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1434,10/28/2020,what's far more remarkable eric is the blackout by the msm of the biden tonybobulinksi story one of the biggest political scandals in us history is being barried by the free press in order to impact the outcome of a presidential election,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n1435,10/28/2020,who\xe2\x80\x99s done more for blackamerica tump biden,United States of America,New York,NY,Joe Biden,1,0.2\r\n1436,10/28/2020,why it\xe2\x80\x99s news is beyond me but if cnn spent 1/100th of the time scrutinizing the biden family dealings there would be only one candidate still running next week.,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1437,10/28/2020,why you should respect the president even if you don\xe2\x80\x99t like him  writing writer writingcommunity writers writerslife blog blogging blogs blogger voting voteredtosaveamerica biden trumpmeltdown trump,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1438,10/28/2020,wisconsin voters go for biden - if you don\xe2\x80\x99t have the best medical care like trump and pence you may not survive the rally or the pandemic,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n1439,10/28/2020,wisdems petramccarron2 thank you to all the hard working farmers in the usa \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote joebiden \xe2\x80\x94 joewontstrandus joebiden will lead us in the right direction votebluetosaveamerica,United States of America,Arizona,AZ,Joe Biden,1,0.8\r\n1440,10/28/2020,without a doubt tonybobulinski has the documents &amp; the knowledge that joebiden directed the euro / chinese / ukraine money operation. it's deeper &amp; more entangled than i thought. hunter was nothing more than a front.,United States of America,California,CA,Joe Biden,2,0\r\n1441,10/28/2020,yes this is the real trump demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1442,10/28/2020,you\xe2\x80\x99re an idiot.  you should be angry your ex and others expect  you to vote dem. remember biden said you ain\xe2\x80\x99t black if you vote for trump. that\xe2\x80\x99s called pandering.  dems saying you and all blacks don\xe2\x80\x99t have a mind of your own. read up on hbcu bidencrimebill wake up,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1443,10/28/2020,\xe2\x80\x98lapdog press\xe2\x80\x99 blacks out explosive tony bobulinski claims as cnn msnbc nyt wapo skip story | fox news \xe2\x81\xa6joebiden\xe2\x81\xa9 joebiden 60minutes chuckschumer \xe2\x81\xa6repadamschiff\xe2\x81\xa9,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1444,10/28/2020,\xe2\x80\x98y\xe2\x80\x99all think i\xe2\x80\x99m kiddin\xe2\x80\x99 don\xe2\x80\x99t ya\xe2\x80\x99 joebiden introduces himself as kamalaharris\xe2\x80\x99 running mate  via twitchyteam,United States of America,Arizona,AZ,Joe Biden,0,-0.8\r\n1445,10/28/2020,\xe2\x80\x9chey can you move your answer document closer to the edge so i can see\xe2\x80\x9d biden biden2020 elections2020 vote votebiden votebidenharris,United States of America,California,CA,Joe Biden,2,0\r\n1446,10/28/2020,\xf0\x9f\x86\x95 i'm over obama | tim black  obama joebiden kamalaharris,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1447,10/28/2020,\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\xab\xf0\x9f\x92\xab\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\xab\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\xab\xf0\x9f\x92\xab\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\xab\xf0\x9f\x92\xab\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\xab\xf0\x9f\x92\xab\xf0\x9f\x92\xab\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\xab\xf0\x9f\x92\xab\xf0\x9f\x92\xab\xf0\x9f\x92\xab\xf0\x9f\x92\xabjoebiden\xf0\x9f\x92\xab\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\xab\xf0\x9f\x92\xab\xf0\x9f\x92\xab,United States of America,California,CA,Joe Biden,1,0.4\r\n1448,10/28/2020,\xf0\x9f\x94\xb4 live podcast 28 october 2020 on spreaker 2020election alsharptonpimp donaldtrump joebiden,United States of America,New York,NY,Joe Biden,1,0.1\r\n1449,10/28/2020,\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f covid19 factcheck is still here with cases rapidly increasing once more everyday   it\xe2\x80\x99s an unbelievable statement coming out of the white house this is why we need joebiden for president truthoverlies bidenharris2020,United States of America,Florida,FL,Joe Biden,2,0\r\n1450,10/29/2020,breaking down political porn when is enough enough -do they see us-fake news-black twitter politicstoday aapolitics blackpolitics blackcommunity whatblacksneedtoknow blacktwitter trump biden dotheyseeus fakenews political porn ddhairston,United States of America,California,CA,Joe Biden,0,-0.8\r\n1451,10/29/2020,don't forget vote for biden,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n1452,10/29/2020,hold republicans accountable trump says biden wants to tax ppl no...just wants an even playing fieldtrump wants to cut medicare &amp; social security to help pay for tax cut for himself friends vote for biden &amp; stop the tax breaks for the rich,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n1453,10/29/2020,..not some grandstanding palace for just any ego- power-driven person elected. please help your country and like the many gops who have already come forward to vote democrat in 2020 it's your turn to help and vote biden. whether you tell us or not. \xf0\x9f\x87\xba\xf0\x9f\x87\xb8  republicansforbiden,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n1454,10/29/2020,.lupefiasco fans listening to him tell us all to vote joebiden after he spent his whole career explaining very intelligently why he doesn\xe2\x80\x99t vote\xf0\x9f\x99\x8f\xf0\x9f\x8f\xbd  vote,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n1455,10/29/2020,a biden2020 electoral college win will be tight. joebiden is hardly campaigning while the trump2020 campaign is working overtime. potus has the crowds. michigan and pennsylvania make the difference if joe wins election2020,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1456,10/29/2020,a huge shoutout to joebiden's creative team. the quality of its advertising is the best i've seen in the political arena. this ad featuring an older couple in florida is a great example. i gotta believe they will make a big difference in the outcome.,United States of America,California,CA,Joe Biden,1,0.6\r\n1457,10/29/2020,a lot of businesses are concerned about a potential bluewave in next week's election. not blackstone election2020 trump biden privateequity realestate taxes regulations sustainability infrastructure,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1458,10/29/2020,a political wave of any kind probably won\xe2\x80\x99t budge boston\xe2\x80\x99s housing market  election trump biden realestate marealtors gbreb nardotrealtor,United States of America,Massachusetts,MA,Joe Biden,0,-0.7\r\n1459,10/29/2020,a trump / biden stand-off. is this isn\xe2\x80\x99t a sign of civil war what is,United States of America,California,CA,Joe Biden,0,-0.3\r\n1460,10/29/2020,ain\xe2\x80\x99t that the truth  voteblue vote biden bidenharris2020,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1461,10/29/2020,altos exfuncionarios republicanos votar\xc3\xa1n por biden ya que trump amenaza el estado de derecho -  evnews joebiden donaldtrump elecciones2020,United States of America,Florida,FL,Joe Biden,2,0\r\n1462,10/29/2020,america - 'beyond hopeless' biden biden2020 socialism fascism censorship covid trump,United States of America,Minnesota,MN,Joe Biden,0,-0.8\r\n1463,10/29/2020,america please do the right thing\xf0\x9f\x99\x8f\xf0\x9f\x8f\xbd  vote biden bidenharris2020,United States of America,Florida,FL,Joe Biden,2,0\r\n1464,10/29/2020,americaortrump biden endtrumpnightmare bidenbelieves inspirechange stopthehate enoughisenough vote biden2020 trumpdoesntcare trumpliesamericansdie voteagainsttrump votebidenharris2020,United States of America,Alaska,AK,Joe Biden,1,0.1\r\n1465,10/29/2020,an excellent documentary that explores many of the issues the msm has ignored in their effort to support biden. worth a watch for every american. newsmax,United States of America,New York,NY,Joe Biden,1,0.5\r\n1466,10/29/2020,analysis biden presidency for turkey would mean tougher u.s. stance but chance to repair ties,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1467,10/29/2020,and then i\xe2\x80\x99m going to keep doing everything i can to work against everything her judicial philosophy stands for beginning with voting for joebiden and kamalaharris and sending donald trump packing vote,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1468,10/29/2020,anyone else miss being united america was already great.  biden togetherwithbiden,United States of America,Massachusetts,MA,Joe Biden,1,0.5\r\n1469,10/29/2020,as with the last election counties with a cracker barrel will go for trump and counties with a starbucks will go for biden. counties with both will be a toss-up. look it up.,United States of America,California,CA,Joe Biden,0,-0.4\r\n1470,10/29/2020,because his name is biden not trump... \xe2\x80\x98that is all.\xe2\x80\x99,United States of America,Missouri,MO,Joe Biden,0,-0.4\r\n1471,10/29/2020,before you blame realdonaldtrump for covid ...ask twitter why back in december they censored blocked and deleted information n videos coming from china residents warning the world of covid19 .. why was twitter working w china  vote censorship joebiden thursdaymorning,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n1472,10/29/2020,best one ever biden,United States of America,Florida,FL,Joe Biden,1,0.9\r\n1473,10/29/2020,bhrenton this juxtaposed with clips of biden appearance in tampa today is the next bidenharris television ad. vote voteearly,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n1474,10/29/2020,biden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1475,10/29/2020,biden biden2020 vote vote2020,United States of America,California,CA,Joe Biden,1,0.2\r\n1476,10/29/2020,biden bidenharris2020 trumpisanationaldisgrace trumpislosing trumpcovidhoax trumptaxes trumpliesamericansdie votebidenharris2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.4\r\n1477,10/29/2020,biden censorship,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1478,10/29/2020,biden china ccp allies collectiveleverage,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1479,10/29/2020,biden floridarally - a pathetic old crook. he's got one foot in the grave.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1480,10/29/2020,biden has the plan to get us back on track.,United States of America,District of Columbia,DC,Joe Biden,1,0.6\r\n1481,10/29/2020,biden maintains polling lead over trump with five days until election day cnbc its very close bote vote vote for biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1482,10/29/2020,biden to campaign in minnesota as gop ups pressure in 'sleeper' state thehill,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1483,10/29/2020,biden trump election vote observations,United States of America,California,CA,Joe Biden,2,0\r\n1484,10/29/2020,biden we need you to change our country from being so bitter and angry to a happy and loving country again.  chebudta biden fistchallenge4kids,United States of America,Virginia,VA,Joe Biden,0,-0.2\r\n1485,10/29/2020,bidencorruption so we just gonna act like nothing to see here cmon doj fbi someone  sleepyjoebiden joebiden hunterbidenlaptop,United States of America,California,CA,Joe Biden,0,-0.7\r\n1486,10/29/2020,bidencrimefamiily bidenfamilycorruption hunterbiden hunterbidenslaptop hunterslaptop trump2020 joebiden these ppl are a criminal organization,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n1487,10/29/2020,bill maher argues that republican voter suppression tactics have turned our election system into an obstacle course.   bidencoalition biden demcastca demcast vote votebluedownballot,United States of America,California,CA,Joe Biden,0,-0.1\r\n1488,10/29/2020,blueheartedly \xf0\x9f\x97\xa3\xef\xb8\x8f\xf0\x9f\x92\xache's keeping his head low because he knows he cannot arrest barackobama joebiden or hillaryclinton for 45*. barr recently cleared them all from further investigation. barr found nothing on them &amp; 45*'s pissed off about it. barr is already in enough legal trouble.\xe2\x9a\x96\xef\xb8\x8f\xf0\x9f\x8f\x9b\xef\xb8\x8f\xf0\x9f\x95\xb5\xef\xb8\x8f,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1489,10/29/2020,bookgirl96 our hoa doesn\xe2\x80\x99t allow them and i\xe2\x80\x99m cool with that because condos have such patchy green space. hilariously though most have biden signs on or in their cars in mass. way to work around the rules cool neighbors,United States of America,California,CA,Joe Biden,1,0.1\r\n1490,10/29/2020,brave americans are risking their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1491,10/29/2020,brave texans are risking their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1492,10/29/2020,bvdahl natesilver538 betfair related contingencies are undervalued some and that might be the culprit. nate has biden up 2.3% in nc and simulated that gives him a 65% to carry the state. trump w state by ~170k votes in 2016. let\xe2\x80\x99s assume you know potus retains nc. how does that affect pa prices etc.,United States of America,Nevada,NV,Joe Biden,2,0\r\n1493,10/29/2020,can any joebiden supporters explain this please i\xe2\x80\x99m split and undecidedvoter i was leaning bidenharris2020 but after everything coming out i think i\xe2\x80\x99m leaning towards trump2020 help pennsylvania,United States of America,Nevada,NV,Joe Biden,0,-0.1\r\n1494,10/29/2020,can\xe2\x80\x99t wait to \xe2\x80\x9cmake america great again\xe2\x80\x9d biden,United States of America,Georgia,GA,Joe Biden,1,0.9\r\n1495,10/29/2020,catch me on kennedynation tonight 8pm/e on foxbusiness talking biden trump election2020 and we'll be playing 'prez your luck' hope you'll tune in,United States of America,California,CA,Joe Biden,0,-0.3\r\n1496,10/29/2020,cbudoffbrown bencjacobs alxthomp mmcassella politico i highly doubt that warren will be in joebiden\xe2\x80\x99s cabinet should he win. for starters the senate is so hotly contested; should she leave the mass governor a republican would appoint another republican to replace her.  no chance democrats would allow  that to occur.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1497,10/29/2020,chuck todd's latest fox news audition reel. vote biden who thankfully takes covid seriously. | chuck todd asks if joe biden taking covid 'too seriously',United States of America,California,CA,Joe Biden,2,0\r\n1498,10/29/2020,cnn chriscuomo what a surprise you have yet another anti trump person on and still won\xe2\x80\x99t speak a word about hunterbiden and joebiden laptopfromhellaintgoingaway,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n1499,10/29/2020,cnn what about bigtech hearings today msm suppression and censorship of bobulinski and the biden foreign deals and possible underage no-no\xe2\x80\x99s,United States of America,California,CA,Joe Biden,0,-0.5\r\n1500,10/29/2020,colleenhenley bright8694 ok voters listen up this is your reminder that we vote by secret ballot in this country that means you can tell anyone who asks anything you want about who you voted for. while actually having voted for the only one who cares about our country\xe2\x80\x99s future- joebiden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 ivoted,United States of America,Alaska,AK,Joe Biden,0,-0.3\r\n1501,10/29/2020,colleenhenley bright8694 pa voters listen up this is your reminder that we vote by secret ballot in this country that means you can tell anyone who asks anything you want about who you voted for. while actually having voted for the only one who cares about our country\xe2\x80\x99s future- joebiden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 ivoted,United States of America,Alaska,AK,Joe Biden,0,-0.3\r\n1502,10/29/2020,colleenhenley bright8694 sc voters listen up this is your reminder that we vote by secret ballot in this country that means you can tell anyone who asks anything you want about who you voted for. while actually having voted for the only one who cares about our country\xe2\x80\x99s future- joebiden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 ivoted,United States of America,Alaska,AK,Joe Biden,0,-0.2\r\n1503,10/29/2020,colleenhenley bright8694 utah voters listen up this is your reminder that we vote by secret ballot in this country that means you can tell anyone who asks anything you want about who you voted for. while actually having voted for the only one who cares about our country\xe2\x80\x99s future- joebiden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 ivoted,United States of America,Alaska,AK,Joe Biden,0,-0.2\r\n1504,10/29/2020,comments on what a biden foreign policy would look like  military armedforces iraq afghanpeaceprocess afghanistan obama biden joebiden2020 trump2020 realdonaldtrump democrats republicans election2020 vote,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n1505,10/29/2020,crazyuncletrump shouldn't be saying we need to get back to normal. we haven't had normal since he was installed you want normalcy you want sanity you want a president who does the job instead of tweeting every moment he's not golfing then you want joebiden,United States of America,Kentucky,KY,Joe Biden,0,-0.7\r\n1506,10/29/2020,crewcrew will certainly have a lighter work load in a biden administration.,United States of America,New York,NY,Joe Biden,2,0\r\n1507,10/29/2020,cult_of_the_sun sarahcpr if true - you don\xe2\x80\x99t think that the sender kept a copy you don\xe2\x80\x99t think there\xe2\x80\x99s an electronic version  you think they used a type writer so something  this is so dumb.  vote joebiden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1508,10/29/2020,curious. why would bigtech companies prefer joebiden who is obviously corrupt and favors business with china to be president rather than trump who puts americafirst especially since the odds are kamalaharris could be the next potus. trump cuts taxes biden wouldn't.,United States of America,Nevada,NV,Joe Biden,0,-0.3\r\n1509,10/29/2020,damn...jaredkushner and donaldtrump are cold blooded killers and why tf were they telling bobwoodward this stuff on tape\xe2\x81\x89\xef\xb8\x8f\xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f and joebiden is the not smart one \xf0\x9f\xa7\x90 election2020 vote trumpknewanddidnothing,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1510,10/29/2020,dear voters as daily covid19 infections reach record levels now 9-mil...as hospitalizations icu's &amp; deaths now 219k spike &amp; w/the virus raging out of control...realdonaldtrump continues to deny dismiss &amp; mock it all because he has no plan &amp; has given up. vote biden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1511,10/29/2020,defenddemocracy voteagainsttrump votebluetosaveamerica biden bidenharris2020 bidencares,United States of America,District of Columbia,DC,Joe Biden,1,0.4\r\n1512,10/29/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1513,10/29/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1514,10/29/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1515,10/29/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1516,10/29/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1517,10/29/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1518,10/29/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1519,10/29/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1520,10/29/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1521,10/29/2020,democratic presidential candidate joe biden holds up his umbrella as he departs new castle airport entourage to campaign in florida. joebiden democrats campaign umbrella,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1522,10/29/2020,democrats biden,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n1523,10/29/2020,did joebiden say \xe2\x80\x9ci am joe biden\xe2\x80\x99s husband\xe2\x80\x9d,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1524,10/29/2020,did u c ths congratuations 2 the democrats legal team in their court successes defending against votersuppression may it continue then next week after election2020 may the landslide sideline scotus wht trump seems 2 hope will save him. biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n1525,10/29/2020,disgusting fraud paid for by biden &amp; jeb bush nevertrump republicans.,United States of America,Ohio,OH,Joe Biden,0,-0.8\r\n1526,10/29/2020,do not mail your ballot. it\xe2\x80\x99s too late. take it to the box or go in person. pass it on. resist biden harris bluewave,United States of America,California,CA,Joe Biden,0,-0.3\r\n1527,10/29/2020,doctors search for signs of life in joebiden \xf0\x9f\xa7\xa0 brain scans \xe2\x8f\xac drs seek donor,United States of America,New York,NY,Joe Biden,2,0\r\n1528,10/29/2020,does anyone take this seriously  2020election voteagainsttrump biden trump foxnews carlson election2020,United States of America,California,CA,Joe Biden,0,-0.7\r\n1529,10/29/2020,don't know joe should be another nickname for biden. \xf0\x9f\x98\x82 maga joebiden trump2020,United States of America,Florida,FL,Joe Biden,2,0\r\n1530,10/29/2020,donaldtrump trump blm blackvotersmatter blackvotes breakingnews cnn foxnews joebiden bidenharris2020 biden,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1531,10/29/2020,donaldtrump was looking over melaniatrump's shoulder when she voted; i wonder if he was wondering if she was voting for joebiden...,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1532,10/29/2020,dutytocare  biden molests usa . watch your girls america,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1533,10/29/2020,erictrump biden has parkinsons,United States of America,North Carolina,NC,Joe Biden,2,0\r\n1534,10/29/2020,evening fun with plushbiden \xe2\x98\xba\xef\xb8\x8f\xf0\x9f\x98\x8d biden maddow bitmojimaddow biden2020,United States of America,New York,NY,Joe Biden,1,0.9\r\n1535,10/29/2020,every vote counts. but trump and his allies have done everything possible to disenfranchise americans who want to vote by mail because of the covid19 pandemic. joebiden 1u,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n1536,10/29/2020,exactly.  look beyond the numbers. biden bidenharris2020,United States of America,Texas,TX,Joe Biden,1,0.5\r\n1537,10/29/2020,exorcist whitehouse election2020 if biden wins he better get an an exorcism for the white house before moving in.,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1538,10/29/2020,facebook charged biden a higher price than trump for campaign ads \xe2\x80\x93 deletefacebook,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1539,10/29/2020,fakenewsmediaclowns\xf0\x9f\xa4\xa1journalismisdead biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1540,10/29/2020,famous journalist resigns after outlet censors biden scandal slams the ...  joebidenukrainescandal joebiden jimmy_dore tyt kylekulinski iamsean90,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1541,10/29/2020,fbi directorwray realdonaldtrump donaldjtrumpjr why does joebiden still have a security clearance hasn\xe2\x80\x99t he been compromised by numerous countries and foreign businesses compromised corruptbidenfamily,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n1542,10/29/2020,fire chucktodd - seriously he lets politicians off the hook doesn\xe2\x80\x99t pursue questioning comes off as way too chummy with his interviewees and now questions whether biden is being too careful with covid19 19 but doesn\xe2\x80\x99t call trump out on super spreader ralliesunacceptable.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1543,10/29/2020,fireatlas by voting for biden.,United States of America,Arizona,AZ,Joe Biden,2,0\r\n1544,10/29/2020,for the love of the elderly the immune compromised and the many young and healthy people who suffer serious consequences from this virus please vote and vote for the one presidential candidate who cares. joebiden joebiden,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1545,10/29/2020,for the win. joebiden,United States of America,Georgia,GA,Joe Biden,1,0.4\r\n1546,10/29/2020,frakermonica no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own. brave texans are risking their lives to vote early.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1547,10/29/2020,france will not give in to terror after nice attack macron says  we must defend enlightenment values free speech defeat the jihadists. standwithfrance what\xe2\x80\x99s biden\xe2\x80\x99s plan btw beheading takes the cancel culture to its logical violent conclusion.,United States of America,California,CA,Joe Biden,0,-0.5\r\n1548,10/29/2020,geronimofrost jeffflake i assume you are referring inaccurately to abortion. you do realize that access to safe and legal abortion does in no way require you to get one. and joebiden is against abortion but sees the wisdom and safety in keeping them legal.,United States of America,Virginia,VA,Joe Biden,0,-0.3\r\n1549,10/29/2020,go senmcsallyaz    a vote for you is a vote for freedom and 2ashallnotbeinfringed .  a vote for captmarkkelly is a vote for joebiden higher taxes end to social security more lockdowns  recession,United States of America,California,CA,Joe Biden,2,0\r\n1550,10/29/2020,goodbye democrat joebiden  your idea cost us too much.   voterepublican,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1551,10/29/2020,gop realdonaldtrump principles for a better america elect joebiden dumptrump2020,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1552,10/29/2020,gotv phonebanking for joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1553,10/29/2020,great point but then again joebiden thinks we\xe2\x80\x99re chumpfortrump,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1554,10/29/2020,halsparks trump never came to illinois and i praise him for that. but i still voted for biden.,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1555,10/29/2020,harrisvotes 24-hour voting is awesome convenience for many folks to vote go harris county go only 2 more days of early voting in texas gotv2020  harrisvotes collincounty traviscounty williamson hayscounty rgv earlyvote texas tiktok bidenharris2020 biden republicansforbiden,United States of America,Texas,TX,Joe Biden,1,0.8\r\n1556,10/29/2020,hells_2_the_no acosta try researchingfacts you've heard of them; they're things that actually occur as the corrupt are trying to hide their existence - then judge. some insight might be fun too count how many promises have been kept in 47 years of biden politics. we'll wait...,United States of America,California,CA,Joe Biden,0,-0.6\r\n1557,10/29/2020,hey joebiden don't forgot insurance for transgender folks when you win  transrightsarehumanrights joebiden bluewave2020,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1558,10/29/2020,hollywood really makes being a double agent look so much cooler than joebiden compromised,United States of America,California,CA,Joe Biden,1,0.9\r\n1559,10/29/2020,holy\xf0\x9f\x92\xa9 but the media wants you to believe joebiden who half the time doesn\xe2\x80\x99t know where\xe2\x80\x99s he is which office he\xe2\x80\x99s running for or if he is the top of the ticket or not. \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f oh and let\xe2\x80\x99s not forget he thinks we\xe2\x80\x99re chumpsfortrump &amp; since i\xe2\x80\x99m a woman of color youaintblack,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1560,10/29/2020,hombre de florida roba una excavadora y atropella letreros de biden,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n1561,10/29/2020,housegop what a load of crap. all republicans have to offer is lies and more lies. they have no plan to help the country. their only interest is keeping their orange covid19-denying criminal in power. bidenharris2020 biden,United States of America,California,CA,Joe Biden,0,-0.5\r\n1562,10/29/2020,hunterbiden china joebiden usa america election2020,United States of America,North Carolina,NC,Joe Biden,2,0\r\n1563,10/29/2020,hunterbidenlaptop hunterbiden hunterslaptop burismabiden biden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1564,10/29/2020,i asked yoda if trump or if biden would win. these were the results. yoda predicted yes for biden &amp; no for trump. we shall see joebiden realdonaldtrump maddow joyannreid vote msnbc,United States of America,Ohio,OH,Joe Biden,2,0\r\n1565,10/29/2020,i can't see president trump falling for this trap again but biden has made it clear that he will be listening to the same scientists who have changed their minds on dealing with the pandemic at least six times since february.,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1566,10/29/2020,i can't wait until this beautiful country is no longer held hostage by a madman. \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 usa vote biden harris elections2020,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n1567,10/29/2020,i can\xe2\x80\x99t wait to have a president and first lady with dignity again biden,United States of America,Georgia,GA,Joe Biden,1,0.9\r\n1568,10/29/2020,i have this weird crawling feeling that this weekend trumpzilla will do something weird. from some infobomb on biden to declaring \xe2\x80\x9cnational emergency\xe2\x80\x9d and cancel the election2020,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1569,10/29/2020,i just cast my vote for bidenharris2020 &amp; for every single democrat on my ticket &amp; it felt so good. 5 days left to end this nightmare &amp; then we call joebiden our president. joevember  bluewave2020 fucktrump fuckthegop,United States of America,Kansas,KS,Joe Biden,1,0.1\r\n1570,10/29/2020,i love this. i always felt like if my kids turned out to be good humans i did my job. my kids turned out great mostly in spite of me not because of me-i wasn\xe2\x80\x99t a perfect parent. joebiden is a good man &amp; the bidens are a good family. couldn\xe2\x80\x99t be prouder to have voted for him.,United States of America,Arizona,AZ,Joe Biden,1,0.5\r\n1571,10/29/2020,i voted for the man who values our active service people and veterans. not the idiot who mocks them &amp; calls them losers. my grandfathers &amp; step-grandfather all fought in war. they were not losers. shit granpa was 14 &amp; lied about his age to fight. bidenharris2020 joebiden vote,United States of America,Kentucky,KY,Joe Biden,0,-0.1\r\n1572,10/29/2020,i voted. it's counted. one vote for joebiden kamalaharris verified. voteblue bidenharris \xf0\x9f\x98\x81\xf0\x9f\x98\xb7\xf0\x9f\x96\x96,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1573,10/29/2020,i wonder if the whacked out russiagate skeptics will admit how stupid their blind faith in this biden garbage has been.,United States of America,California,CA,Joe Biden,0,-0.9\r\n1574,10/29/2020,i would say that there is no chance at all that joebiden will do that.  he'll just continue to deny everything.  trump2020,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n1575,10/29/2020,i'll say for the millionth time i'll never understand wtf happened to tapper once a good journo now a total embarrassment sad that jeff zucker &amp; tds ruined his credibility forever biden elections2020,United States of America,Oregon,OR,Joe Biden,0,-0.8\r\n1576,10/29/2020,i'm afraid trojan horse joe and kommunist harris will win next week. biden trump,United States of America,Indiana,IN,Joe Biden,0,-0.2\r\n1577,10/29/2020,if braintrust lilwayne endorsed trump maybe i should reconsider. hmmm let me think; misogenist racist vs everything biden nope still votebidenharristosaveamerica . if u get political opinions from a rapper u get what u deserve in this life or the next. \xf0\x9f\x94\xa5,United States of America,Washington,WA,Joe Biden,0,-0.5\r\n1578,10/29/2020,if the r party invested as much time into developing policies that help people and better our society they would have to invest less time and effort in suppressing the vote. vote them all out votebidenharris2020 biden bluewave,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n1579,10/29/2020,if you\xe2\x80\x99re an actual undecidedvoter please look at this map. which side do you want to be on republicansforbiden biden,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1580,10/29/2020,if you\xe2\x80\x99re eager for joebiden and kamalaharris to take back the whitehouse and need some inspiration check out my latest episode of thehistoryhat on the whittemoredc home of the woman\xe2\x80\x99s national democratic club wndc_1922,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1581,10/29/2020,imrankhanpti my story of losing my rights due to being a pakistani immigrant by an islamophobic racist judge has been suppressed here in siliconvalley . judge is aunt of gretchenwhitmer protected 2013 ca ag kamalaharris. fear more islamophobia if joebiden wins,United States of America,California,CA,Joe Biden,0,-0.5\r\n1582,10/29/2020,in search of truth - without doubt - dem operatives -were used by nyts to create stories to imply realdonaldtrump was russianagent-jews schiffschumer-imply naval sub commander &amp; rudy were russian agents while truth=hillary-biden -obama chineseagents,United States of America,California,CA,Joe Biden,1,0.1\r\n1583,10/29/2020,ingrahamangle speading covid one state at a time... no one is angry at biden they are angry when he talks about trumps irresponsible response to covid19 ... also,United States of America,California,CA,Joe Biden,0,-0.8\r\n1584,10/29/2020,it's likely the plan is for trojanjoe joebiden to resign &amp; comrad kamala will pardon joe &amp; hunter &amp; jim biden so no impeachment or investigation is needed ... that explains why the left wing got behind chinajoebiden &amp; that's why the fbi has been sitting on hunter's laptop,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1585,10/29/2020,it\xe2\x80\x99s sad that the liberals biggest hope and chance of biden winning this election is for all the college educated brainwashed millennials and gen-z\xe2\x80\x99ers to vote for him.,United States of America,Florida,FL,Joe Biden,0,-0.9\r\n1586,10/29/2020,i\xe2\x80\x99m an orthodox jew and i proudly voted for joebiden,United States of America,Maryland,MD,Joe Biden,1,0.6\r\n1587,10/29/2020,i\xe2\x80\x99m going to assume that joebiden \xe2\x80\x98s catholic faith drilled the core truth into him sometime after 1994. 1994crimebill 3strikesyoureout racistbiden catholic,United States of America,California,CA,Joe Biden,2,0\r\n1588,10/29/2020,i\xe2\x80\x99m told today by sources in pa that it\xe2\x80\x99s unlikely biden will be ahead when polls close there on tuesday. some dems had held out that hope. but they remain confident he\xe2\x80\x99ll end up winning by a substantial margin when all the huge piles of mail-in votes are counted. we\xe2\x80\x99ll see.,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1589,10/29/2020,i\xe2\x80\x99m voting tuesday and i can\xe2\x80\x99t wait elections2020 bidenharris2020 biden,United States of America,New York,NY,Joe Biden,1,0.6\r\n1590,10/29/2020,jerrybruv oh but i agree with that strategy  donaldtrump is the absolute best campaigner for joebiden  ppl vote against trump because of his personality and the man loves ratings. he can't help himself.  so let him go at it,United States of America,New York,NY,Joe Biden,1,0.2\r\n1591,10/29/2020,joe biden is like a mechanic that has been fixing your car for 47 years and needs 4 more years to fix it joebiden,United States of America,California,CA,Joe Biden,0,-0.5\r\n1592,10/29/2020,joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1593,10/29/2020,joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1594,10/29/2020,joebiden,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n1595,10/29/2020,joebiden,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1596,10/29/2020,joebiden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1597,10/29/2020,joebiden a couple years ago fox news miraculously\xf0\x9f\x98\x89 got muted on my 90yo trump-supporting mom\xe2\x80\x99s tv. she switched to cnn. she has terrible vision rarely drives housebound since march. today i learned she drove herself to the post office to drop off her ballot for biden \xf0\x9f\x92\x97. i cried.,United States of America,Ohio,OH,Joe Biden,0,-0.3\r\n1598,10/29/2020,joebiden biden bidencorruption,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1599,10/29/2020,joebiden biden philadelphia philly pennsylvania,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1600,10/29/2020,joebiden if trump wants to beat records...here's one votehimout bidenharris2020 biden,United States of America,Nevada,NV,Joe Biden,0,-0.3\r\n1601,10/29/2020,joebiden is currently projected to win 331 electoral votes,United States of America,Colorado,CO,Joe Biden,2,0\r\n1602,10/29/2020,joebiden is the guy who put them in cages children immigration,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n1603,10/29/2020,joebiden i\xe2\x80\x99m here in broward county fl...doing everything i possibly can for you &amp; kamala. thank you joebiden saveamerica votethemout,United States of America,Florida,FL,Joe Biden,1,0.6\r\n1604,10/29/2020,joebiden loves his son. i would have given up a lot for that kind of love from my dad.,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n1605,10/29/2020,joebiden lying corrupt and weak joebiden is a fraud. he takes money from china plagiarizes other's ideas and speeches and only has covid 19 to thank for having any chance in this election. he is  just another classless career politician,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1606,10/29/2020,joebiden now lying to cubans in florida. obama &amp; biden embraced castro,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n1607,10/29/2020,joebiden quotes trump,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1608,10/29/2020,joebiden racist youaintblack,United States of America,Tennessee,TN,Joe Biden,1,0.3\r\n1609,10/29/2020,joebiden thejessicamejia for our biden bidenharris2020 todosconbiden latinosforbiden and all those celebrating diadelosmuertos or todoslossantos portuguesa - we have wallpaper and twitter graphics on our site the largest 100% nonprofit biden-harris campaign site at  \xe2\x9c\x9d\xef\xb8\x8f,United States of America,California,CA,Joe Biden,1,0.4\r\n1610,10/29/2020,joebiden we have a q for you . . . please answer. joebiden bidencampaign bidenharris,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n1611,10/29/2020,joebiden when you win please get petebuttigieg and andrewyang on your cabinetjoebiden gojoe votebidenharris2020 voteblue,United States of America,New Mexico,NM,Joe Biden,2,0\r\n1612,10/29/2020,just in case people forgot trump in his own voice made a decision to lie  to the american people and play down this pandemic. it\xe2\x80\x99s not fakenews. the only thing fake is the message he\xe2\x80\x99s been giving us. i\xe2\x80\x99m voting for honesty and against deception joebiden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 2020,United States of America,Washington,WA,Joe Biden,0,-0.5\r\n1613,10/29/2020,just in nbc news predicts texas moving toward biden,United States of America,New York,NY,Joe Biden,2,0\r\n1614,10/29/2020,just the thought of america being the \xe2\x80\x9cgood guys\xe2\x80\x9d again is awesome. let\xe2\x80\x99s make it happen  biden bidenharris2020 vote,United States of America,Texas,TX,Joe Biden,1,0.4\r\n1615,10/29/2020,kristianjmlive1 ok let me try to see if i can translate it into english. there is a word bai jia zi in chinese meaning wastrel often refers to someone who is so bad that he will bring down the entire family. bai sounds like the first syllable of biden jia means family zi means son. so...,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1616,10/29/2020,kritrgitr3 ballcoach513 listnever crankybelle stl_blues_fan_1 mikeboyle52 girlscouts this 74 year old vet cares about all the people in the country.  that's why i'm a strong supporter of joebiden and kamalaharris,United States of America,Washington,WA,Joe Biden,1,0.7\r\n1617,10/29/2020,krystalpeoples msnbc maddow seanhannity bobulinski is credible came with receipts and blows apart the myth of biden being some ah shucks politician.  if you cared you'd listen.  since you don't you believe the garbage msdnc is feeding you.  smdh,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1618,10/29/2020,kylekulinski you kyleand your political kind are the definition why black americans voted for joebiden. joerogan is not a friend to black people. yet progressives continue to sideline the voices of black people. why is that,United States of America,Indiana,IN,Joe Biden,0,-0.7\r\n1619,10/29/2020,lisamoraitis1 rosepetals it's quite probable. i live in a predominantly minority &amp; spanish neighborhood. guess who i've seen at all the early voting places around town mostly older white men and their wives. they are traveling across the county to vote due to lines. i am afraid. go vote for biden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1620,10/29/2020,lissoderberg cbouzy proudresister proudsocialist what makes you think that healthcare regulations and unions are at stake what makes you think things will be different with joebiden  what about his history indicates to you that he even agrees with those things much less follow through on them 2/2,United States of America,Maryland,MD,Joe Biden,0,-0.5\r\n1621,10/29/2020,lmao this guy doesn\xe2\x80\x99t know his left from his right his up or his down. like most of y\xe2\x80\x99all picking sides  joebiden trump,United States of America,Maryland,MD,Joe Biden,0,-0.4\r\n1622,10/29/2020,lol joebiden democrats hillaryclinton  no democrat is sliced bread lol,United States of America,California,CA,Joe Biden,0,-0.1\r\n1623,10/29/2020,lrihendry catturd2 did you know that she is now joebiden's nanny,United States of America,New York,NY,Joe Biden,2,0\r\n1624,10/29/2020,marcorubio biden victory is good news to the world marco what good is trump victory for the world mmflint robreiner nytimes,United States of America,New York,NY,Joe Biden,1,0.7\r\n1625,10/29/2020,mayorpete for a biden cabinet position \xf0\x9f\x92\xaa\xf0\x9f\x8f\xbc\xf0\x9f\x92\xaa\xf0\x9f\x8f\xbc,United States of America,Texas,TX,Joe Biden,1,0.4\r\n1626,10/29/2020,miami has almost half a million residents and trump2020 has 12 people welcoming him. we all know bidenharris2020 is where is at. biden will take it to the house voteagainsttrump,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1627,10/29/2020,mickjagger please let this be the song we hear this january as trump exits the white house biden bidenharristosaveamerica,United States of America,California,CA,Joe Biden,0,-0.1\r\n1628,10/29/2020,mishgea if biden is elected this will immediately trigger endless hearings inquisitions investigations. if he isn't this biden family disaster will probably fade away to a private resolution with the blob's alphabet soup agencies,United States of America,California,CA,Joe Biden,0,-0.5\r\n1629,10/29/2020,mmflint ur right  biden forgot about flint michigan and now may lose the state,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1630,10/29/2020,more than 73 million americans have already voted absentee or by mail and trump and biden are trying to energize the millions more who will vote in person on tuesday.,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1631,10/29/2020,my anxiety is off the charts with the election getting so close. i'm confident biden will win but i'm thinking about the unrest in the country that will take place. my fear is heading towards something similar to a civil war. trump will never leave quietly. \xf0\x9f\x99\x8f\xf0\x9f\x8f\xbc\xf0\x9f\x99\x8f\xf0\x9f\x8f\xbc\xf0\x9f\x99\x8f\xf0\x9f\x8f\xbc,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1632,10/29/2020,my prediction is the same as i have never been wrong in selecting a president i pick trump in 2016 not this time joebiden will win by 10+ points and georgia will turn blue also....trumpislosing voteblue,United States of America,Georgia,GA,Joe Biden,0,-0.5\r\n1633,10/29/2020,national economic council director larry kudlow says we likely won't see a stimulus deal until after the election. he says stevenmnuchin1 did everything he could to close the gap but the democrats are showboating instead. trump biden coronavirus economy varneyco,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1634,10/29/2020,news24 alert-  hurricanezeta hurricanezeta2020 hurricanedelta hurricane tropicalstormzeta tropicalstorm coronavirus corona coronavirusoutbreak biden trump hurricaneseason2020 breakingnews zetahurricane zeta amhq weathernetwork wtkr3 cnn breakingweather,United States of America,Virginia,VA,Joe Biden,2,0\r\n1635,10/29/2020,newyorkpost disputes twitter ceo\xe2\x80\x99s claims company lifted ban on biden expos\xc3\xa9 dorsey,United States of America,Illinois,IL,Joe Biden,0,-0.6\r\n1636,10/29/2020,no the evidence at its very very best shows hunterbiden was trying to profit from his last name.  there is no evidence that joebiden knew of business deals.  there is no evidence that joebiden profited from business deals.  there is no evidence that joebiden was involved.,United States of America,California,CA,Joe Biden,0,-0.7\r\n1637,10/29/2020,nolte 12 reasons the joe biden corruption revelations are credible  via breitbartnews,United States of America,California,CA,Joe Biden,0,-0.5\r\n1638,10/29/2020,norma cartoon vote voteblue bidenharris2020 biden,United States of America,Illinois,IL,Joe Biden,2,0\r\n1639,10/29/2020,not a fairytale votethemallout votetrumpout trumpisaracist trumpiscompromised biden2020 vote votebidenharris2020 biden,United States of America,Washington,WA,Joe Biden,0,-0.5\r\n1640,10/29/2020,nowthisnews i love joebiden but i don\xe2\x80\x99t think he should mock trump just because trump has dementia,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1641,10/29/2020,nytimes cbsnews nbcnews abc will you ever become journalists and cover biden crime family or should i just be quiet &amp; obey scandal hunterbidenlaptops bobulinski,United States of America,Arizona,AZ,Joe Biden,0,-0.7\r\n1642,10/29/2020,nytimes it looks healthy so definitely biden voter,United States of America,New York,NY,Joe Biden,1,0.7\r\n1643,10/29/2020,nytimes the almond milk gives it away. that's a biden fridge.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1644,10/29/2020,offset performs at joebiden rally...,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n1645,10/29/2020,ok folks it's time to block all the msm  for their lack of coverage of joebiden and his crimefamily. just blockmsm,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n1646,10/29/2020,once joebiden is president he should launch an investigation into melaniatrump to find out if she lied to obtain a us visa melanialied,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n1647,10/29/2020,one of the reasons why the election has swung so sharply to the president is that biden and the democrats have refused to condemn the censorship of government officials and newspapers by twitter &amp; facebook.   via washtimes,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n1648,10/29/2020,oregonvirginia davidfrum i\xe2\x80\x99m an in texas.  dallas in fact. i ride my bike \xf0\x9f\x9a\xb4 in the evenings. surprisingly i\xe2\x80\x99ve seen quite a few biden lawn signs. more surprising is that i\xe2\x80\x99ve seen no trump signs.,United States of America,Texas,TX,Joe Biden,2,0\r\n1649,10/29/2020,packerranter if one tweet describes joebiden.. rich outta touch and very white.. lol perfectly worded.,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n1650,10/29/2020,petition urge catholic bishops to refuse holy communion to pro-abortion biden | lifepetitions,United States of America,Arizona,AZ,Joe Biden,0,-0.4\r\n1651,10/29/2020,poll biden leads by 5points in florida thehill,United States of America,Texas,TX,Joe Biden,2,0\r\n1652,10/29/2020,projectlincoln therickwilson watching your ads makes me sad and angry and then i laugh and then i am crying. kudos to the creative minds behind the shade--because at the end of the day it's our hearts our broken broken hearts that we need joebiden to heal.,United States of America,New York,NY,Joe Biden,2,0\r\n1653,10/29/2020,proud boys...don\xe2\x80\x99t do it. proudboys robertpeople dumptrump2020 trump cowards mask wearadamnmask bidenharris2020 votehimout vote joebiden gravyseals,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n1654,10/29/2020,puts a smile on your face to defeat fascism. just like we who oppose trump will grin when he loses election. then what will happen bidenharris2020 biden bluewave2020 trumpislosing,United States of America,Maryland,MD,Joe Biden,1,0.1\r\n1655,10/29/2020,radiofreetom i want our own cult let\xe2\x80\x99s all honkforjoe 7pm thurs to election eve-deafen trumps rallies and lies-your car and you honk horn for 1min the silence30 secs then 1honk-honor essential workers-rvat2020 retweet lincolnproject help we need numbers pass it on. biden kamalaharris,United States of America,Washington,WA,Joe Biden,0,-0.1\r\n1656,10/29/2020,realbobwoodward is on cnn right now playing tapes that prove that realdonaldtrump and kayleighmcenany conspired together to use covid19 situation as a disastercapitalism situation and i think i just heard sarahkendzior head explode. jesus christ people. fuck. vote biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n1657,10/29/2020,realdonaldtrump do you have anything on your own or is hinter biden your program trumpcollapse trumpispathetic trumpdeathtoll231k joebiden votebiden vote,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1658,10/29/2020,realdonaldtrump feel free to watch me vote for joebiden,United States of America,Colorado,CO,Joe Biden,2,0\r\n1659,10/29/2020,realdonaldtrump i did. for joebiden,United States of America,Florida,FL,Joe Biden,2,0\r\n1660,10/29/2020,realdonaldtrump if i was chicagosmayor nycmayor mayorbowser mayoroflasvegas mayorkirkhnl davidmartinmep joshlevey_ stevenfulop jfkii noambramson tomroach i would demolish your properties after november3rd build lgbtq centers in their place but that\xe2\x80\x99s just me joebiden,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n1661,10/29/2020,realdonaldtrump put joebiden through the same thing they did to you only this time it\xe2\x80\x99s true. judgementcomestoall bidencrimefamilly bidenfamilycorruption timetoownup mediacorruption,United States of America,Texas,TX,Joe Biden,2,0\r\n1662,10/29/2020,realdonaldtrump tick tock 6 days\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82joebiden johnhickenlooper,United States of America,Colorado,CO,Joe Biden,1,0.2\r\n1663,10/29/2020,realjameswoods and my prediction is that democrats knowing that biden could be in danger of being impeached for influence peddling will dare the gop to go through with it knowing that bernie's socialist agenda will be full effect if the far left harris is promoted\xf0\x9f\x99\x84,United States of America,Missouri,MO,Joe Biden,0,-0.5\r\n1664,10/29/2020,reasons to vote for joe  biden2020 joebiden biden vote,United States of America,New York,NY,Joe Biden,1,0.3\r\n1665,10/29/2020,redistrict quinnipiacpoll iowa is winnable biden.,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1666,10/29/2020,reesusp winelover3384 \xf0\x9f\x92\x99vote votelikeits2012\xf0\x9f\x92\x99votethemallout2020\xf0\x9f\x92\x99 votebluetosaveamerica votebidenharris2020\xf0\x9f\x92\x99 votebluetoendthisnightmare\xf0\x9f\x92\x99voteblue2020\xf0\x9f\x92\x99 bluewave2020\xf0\x9f\x92\x99votebluetosaveamerica2020\xf0\x9f\x92\x99 voteblue joebiden \xf0\x9f\x92\x99bluebidenharris2020\xf0\x9f\x92\x99 bidenharris \xf0\x9f\x92\x99 votebluenomatterwho\xf0\x9f\x92\x99 saveamerica,United States of America,California,CA,Joe Biden,1,0.5\r\n1667,10/29/2020,remember when children didn\xe2\x80\x99t cry when they met potus barackobama michelleobama realdonaldtrump 2020elections barackobama republicansforbiden joebiden,United States of America,Florida,FL,Joe Biden,2,0\r\n1668,10/29/2020,rep. crenshaw  'possibility' chinajoe biden compromised by china communists,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1669,10/29/2020,repmattgaetz trump &amp; the gop puts americalast.  russian bounties on heads of us soldiers. selling out kurdish allies for $$. disparaging true patriots calling them losers and suckers. record covid cases with many deaths coming. laughingstock of the world. bring back decency. joebiden,United States of America,Virginia,VA,Joe Biden,0,-0.2\r\n1670,10/29/2020,republicans vs democrats senate showdown republicans democrats senate biden trump news video\xe2\x86\x92,United States of America,California,CA,Joe Biden,2,0\r\n1671,10/29/2020,republicans vs democrats senate showdown republicans democrats senate biden trump news video\xe2\x86\x92,United States of America,California,CA,Joe Biden,2,0\r\n1672,10/29/2020,rickymartin calls latinos for trump scary will vote for joebiden,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n1673,10/29/2020,ryanafournier but joebiden said trump ruined the economy...... joe has some splainin\xe2\x80\x99 to do,United States of America,California,CA,Joe Biden,0,-0.1\r\n1674,10/29/2020,sarahcpr becausetheboxwasempty you don\xe2\x80\x99t have to admit that it was just a big made-up story if you don\xe2\x80\x99t have any documents to prove your case. you just lie and say that those damning documents are missing\xe2\x80\xa6 stolen in another conspiracy to protect joebiden theycanttellthetruth,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n1675,10/29/2020,seanhannity hindsight is always 20/20 hillaryclinton joebiden no one foresaw this nor could they plan for it. the president did as well as anyone could so quit milking it.,United States of America,Oregon,OR,Joe Biden,0,-0.6\r\n1676,10/29/2020,slowly but surely let this all be true joebiden election2020 bidenharris2020 bidenlandslide,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1677,10/29/2020,so not a lindsey graham fan... but you need to hear this... and vote for joebiden and kamalaharris bluewave \xf0\x9f\x8c\x8a,United States of America,California,CA,Joe Biden,0,-0.1\r\n1678,10/29/2020,steve scalise  if joe biden has his way we will be importing energy from russia and the middle-east again at a much higher cost instead of exporting it as we do now.,United States of America,North Carolina,NC,Joe Biden,0,-0.2\r\n1679,10/29/2020,straight out of the pages of a handmaids tale. run to the polls folks and vote for joebiden or else we will all have to pay for the consequences of this type of oppression. vote votehimout2020 biden bidenharris2020 uselections2020,United States of America,California,CA,Joe Biden,0,-0.2\r\n1680,10/29/2020,straw man argument.  not only is there no evidence a deal that benefited joebiden was consummated there is no evidence that any deal was even contemplated that involved joebiden.  joe biden is not responsible for hunter profiting from his family name.,United States of America,California,CA,Joe Biden,0,-0.3\r\n1681,10/29/2020,stu a presidential candidate has to sell a vision of america's future. you've got to tell the voters how the country's going to look and feel with you in the oval office. 2020election trump biden america varneyco,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1682,10/29/2020,suspected terrorist murders three in attack at french church mayor wants to oust \xe2\x80\x98islamo-fascism\xe2\x80\x99 -  this is what pedo dementia biden wants to import here en masse\xf0\x9f\xa4\xae\xf0\x9f\x98\xa1\xf0\x9f\x91\x8e\xf0\x9f\x92\xa9 vote voteredtosaveamerica trump2020landslide maga kag election2020,United States of America,Arizona,AZ,Joe Biden,0,-0.8\r\n1683,10/29/2020,texasearlyvoting turntexasblue biden republicansforbiden bidenharris2020 overnightvoting harriscounty lebronjames beauwillimon mcconaughey spread the word.,United States of America,California,CA,Joe Biden,2,0\r\n1684,10/29/2020,thanks boss. \xe2\x9c\x8c\xef\xb8\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8brucespringsteen biden,United States of America,California,CA,Joe Biden,1,0.6\r\n1685,10/29/2020,thanks for making us laugh sts i'm glad you're not shannon the decimator or you'd be std. after 4 years of stds &amp; covid infecting whitehouse  joebiden is going to have to soak it in bleach. good thing its white. paintitblack2020,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1686,10/29/2020,the best political ad of the year silencehim climatechangeisreal joebiden,United States of America,California,CA,Joe Biden,1,0.7\r\n1687,10/29/2020,the election2020 is less than a week away and legal betting markets outside the us are taking plenty of action on trump and biden. odds guide swing state markets up,United States of America,Florida,FL,Joe Biden,2,0\r\n1688,10/29/2020,the internet wont let nobody be great \xf0\x9f\x98\x82 jeezy joebiden,United States of America,North Carolina,NC,Joe Biden,0,-0.7\r\n1689,10/29/2020,the \xe2\x81\xa6newyorkpost\xe2\x81\xa9 on the censorship vs freespeech of the socialmedia techgiant techgiants like twitter usa jackdorsey blackmail democrat democrats gop trump maga election biden joebiden kamala kamalaharris bluewave communism,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1690,10/29/2020,thepubliususa joebiden here in flint as well 6 new biden signs and several of the other guys taken down,United States of America,Michigan,MI,Joe Biden,0,-0.4\r\n1691,10/29/2020,there are two lady\xe2\x80\x99s on central and camelback holding trump signs. i wonder if they know they\xe2\x80\x99re in the wrong neighborhood because everyone is rolling down their window yelling biden,United States of America,Arizona,AZ,Joe Biden,0,-0.5\r\n1692,10/29/2020,this is a beautiful summary of where we are and where we need to go. joebiden,United States of America,Maryland,MD,Joe Biden,1,0.6\r\n1693,10/29/2020,this is awesome  vote votebidenharris2020 joewillleadus joebiden trumpisaloser donwinslow realdonaldtrump votehimout biden2020,United States of America,California,CA,Joe Biden,1,0.9\r\n1694,10/29/2020,this is the last photo i took tonight in tampa. a true leader. he was soaked. we were soaked. proving we are in \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbb this \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbb together \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbb joebiden kamalaharris bidenharris2020 biden bidenrally cnn abcactionnews fox13news biden2020 mvpharris bidenharristosaveamerica,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1695,10/29/2020,this morning we received a shipment from lincoln nebraska. the driver was a 57y/o  army ranger rtd. from texas who voted trump in '16.  after a lengthy conversation the takeaway is this 1. trump failed america 2. trump 'f'd-up on the virus 3. he's a racist 4. i voted biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1696,10/29/2020,thursdaythoughts thursdaywisdom thursdaymorning  finished a story god endorses joe biden where joebiden gets an endorsement from his other black friend.,United States of America,New York,NY,Joe Biden,1,0.2\r\n1697,10/29/2020,tomfitton joebiden was the chairman...,United States of America,Georgia,GA,Joe Biden,2,0\r\n1698,10/29/2020,tomorrow realdonaldtrump will post on twitter that epstein came out of retirement and stoled those bidendocuments foxnews  foxandfriends tuckercarlson biden fakenews facts conspiracy,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1699,10/29/2020,tpes morningpoliticalthought biden stolen tuckercarlson foxnews gunban michigan pelosi protests riots2020 gdp economy malaysia france terrorattack pandering golf trump2020 maga2020 vote2020 election2020 parler parlerusa,United States of America,California,CA,Joe Biden,0,-0.4\r\n1700,10/29/2020,trump administration boots gray wolves from endangered species list  via yahoo guess who i voted for biden,United States of America,California,CA,Joe Biden,0,-0.6\r\n1701,10/29/2020,trump and biden\xe2\x80\x99s secret  parody artist halloween memes comedy youtube animation gaming hiphop actor marijuana thursday writer politics vfx visualeffects funny director realtalk trippy producer drawing election2020 trump biden presidentialelection,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1702,10/29/2020,trump trump2020 biden bidenharris2020 trump2020landslide,United States of America,New York,NY,Joe Biden,2,0\r\n1703,10/29/2020,trust science vote for joebiden bidenharris houstonforbiden texasforbiden texas houston bidencoalition teamjoe,United States of America,Texas,TX,Joe Biden,1,0.2\r\n1704,10/29/2020,twitter facebook jack cnn msnbc joebiden the censorship of a story critical of the biden family highlighting 47 years of corruption indicates democrats will place winning over the billofrights. how\xe2\x80\x99s that hatred of trump doing bidencrimefamiily complicitmedia,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n1705,10/29/2020,u look evil. look at what trump2020 has done for usa. ur checking lies look at dems. biden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1706,10/29/2020,us election 2020 polls who is ahead - trump or biden\xc2\xa3an in-depth look at the polls and what they can and can\xe2\x80\x99t tell us about who will win the white house.  vote voteearly vote2020 trump biden,United States of America,California,CA,Joe Biden,0,-0.3\r\n1707,10/29/2020,us election2020 polls who is ahead - trump or biden | bbcworld \xf0\x9f\x87\xac\xf0\x9f\x87\xa7,United States of America,California,CA,Joe Biden,2,0\r\n1708,10/29/2020,very powerful message by dsouldavis   gospel inspirational soul rock peace god spiritual protest music  democrats republicans election election2020  wildfires colorado california florida stimulus breonnataylor joebiden itsgabrielleu,United States of America,Nevada,NV,Joe Biden,1,0.7\r\n1709,10/29/2020,vote biden americaortrump trumpliesamericansdie voteforourlives bidenharristosaveamerica endtrumpnightmare votecharactervotebiden trumpskillingus biden2020 votebidennow,United States of America,Alaska,AK,Joe Biden,1,0.3\r\n1710,10/29/2020,vote don\xe2\x80\x99t give up today is the day. \xf0\x9f\x92\x99\xf0\x9f\xa9\xba\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 turntexasblue bidenharris2020 biden blm  judgeclayj mjhegar candacefor24,United States of America,Texas,TX,Joe Biden,1,0.2\r\n1711,10/29/2020,vote vote2020 joebiden joebiden bidenharris,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n1712,10/29/2020,vote vote2020 joebiden joebiden bidenharris,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n1713,10/29/2020,votehimout biden bidenharris2020,United States of America,New York,NY,Joe Biden,1,0.3\r\n1714,10/29/2020,votehimout votethemout votelikeyourlifedependsonit climatechange trump biden conservation,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1715,10/29/2020,vote\xe2\x9c\x8a\xe2\x9c\x8a\xe2\x9c\x8a presidentialelection2020 donaldtrump joebiden,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1716,10/29/2020,wait did foxnews just cut off trumprallyflorida to biden,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1717,10/29/2020,watch a foggy slurring joe biden make the single dumbest speech ever   trump maga joebiden sleepyjoe,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1718,10/29/2020,watch live coverage of hurricane zeta from nola to atlanta gawx lawx mswx alwx tnwx scwx tornado severe flooding blm maga trump biden vote2020 election2020 covid covid19 coronavirus,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n1719,10/29/2020,watsoninstitute taped this last week still on point. trump's strategy in last weeks election2020. will voters blame trump for covid19 surge in earlyvoting &amp; how results in florida &amp; nc may predict wi mi pa. will biden or trump benefit from higher voter turnout prospects for senate2020,United States of America,Rhode Island,RI,Joe Biden,2,0\r\n1720,10/29/2020,we are battling for the soul of the nation. honored to see joebiden in broward today go to  to find out where to vote or where to drop off your ballot.\xf0\x9f\x92\x99\xf0\x9f\x8c\x8a votebidenharris2020 joebiden vote americaneedsjoe bidenharristosaveamerica,United States of America,Florida,FL,Joe Biden,1,0.2\r\n1721,10/29/2020,we can win. vote for joebiden kamalaharris and share it with friends and family so \xe2\x80\x94&gt; pump up the volume official video   biden bidenharris2020,United States of America,California,CA,Joe Biden,1,0.3\r\n1722,10/29/2020,we saw you wtae  with your 500 person poll that shows biden leading trump ... or wait...what poll canichangemyvote election2020\xc2\xa0 youhadonejob,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n1723,10/29/2020,what if everyone was as passionate about jesus as they are for their choice for president  kingdombound presidentialelection2020 biden trump,United States of America,Texas,TX,Joe Biden,2,0\r\n1724,10/29/2020,which biden is your favorite joebiden democrat dnc,United States of America,California,CA,Joe Biden,1,0.8\r\n1725,10/29/2020,whiskeymd247365 acosta we all love joebiden. our next president kindness compassion and a president for blue red left and right. a president for all americans. joebidensneighborhood,United States of America,Virginia,VA,Joe Biden,1,0.5\r\n1726,10/29/2020,who are you voting for bidenharris2020 trump2020 vote keepamericagreat voteagainsttrump trump biden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1727,10/29/2020,who built the cages joe  joebiden trump2020 maga,United States of America,Michigan,MI,Joe Biden,0,-0.1\r\n1728,10/29/2020,who do you trust on covid  biden who has a stable marriage to a school teacher or trump who cheated on his wife admires putin and charges the american taxpayer $3.00 for a glass of water,United States of America,California,CA,Joe Biden,0,-0.7\r\n1729,10/29/2020,who will be the next u.s. president news breakingnews ftnews foxnews trump biden president donaldtrump joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n1730,10/29/2020,why doesn't msnbc air the same minutes for biden as long as trump footage,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1731,10/29/2020,why is ohio always a swing state we spoke to political scientist dr. suzanne marilley about the buckeye state's loyalty and dedication to place...  election2020 ohio2020 trump biden republicanparty democrats buckeyes ohio swingstate,United States of America,Ohio,OH,Joe Biden,2,0\r\n1732,10/29/2020,why is tucker carlson the only real journalist covering hunter and joe biden business dealings. bobulinkski  this is communist style suppression of a story that the public should know about. we have a very dark media. bidencorruption censorship biden,United States of America,California,CA,Joe Biden,0,-0.6\r\n1733,10/29/2020,wish biden goes again to oh  does polling shows he\xe2\x80\x99ll lose it,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n1734,10/29/2020,with six days left here are the top ways trump will cheat in this election. election vote voter votehimout vote2020 votejoe biden bidenharris2020 biden2020 trump election2020 election votersuppression  electioninterference votersuppressionisreal voterintimidation,United States of America,California,CA,Joe Biden,0,-0.4\r\n1735,10/29/2020,wsjopinion bitcoinmama give biden a break. he\xe2\x80\x99s currently trying to save us from damnation bidenharris bidenharristosaveamerica bidenharris2020,United States of America,Texas,TX,Joe Biden,2,0\r\n1736,10/29/2020,yes i should clarify change biden to trump2020tosaveamerica,United States of America,Colorado,CO,Joe Biden,0,-0.3\r\n1737,10/29/2020,your turn vote votevetsvoteblue votevets voteblue2020 voteblue vote bluewave trump democrats covid dumptrump election biden joebiden resist coronavirus votebluenomatterwho  notmypresident politics democrat votedemocrat blacklivesmatter wakeupamerica,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n1738,10/29/2020,zuckerjerk does not know his communication guy was a biden staffer.  oh and by the way facebook is not biased and i have a terrific bridge i want to sell you.,United States of America,California,CA,Joe Biden,2,0\r\n1739,10/29/2020,\xe2\x80\x98new hampshire union leader\xe2\x80\x99 endorses joe biden  biden election2020,United States of America,New York,NY,Joe Biden,1,0.1\r\n1740,10/29/2020,\xe2\x80\x98the biden-harris administration will look like our country\xe2\x80\x99,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1741,10/29/2020,\xe2\x80\x9cjoebiden has proven time and time again that he has the empathy to understand what we\xe2\x80\x99re going through in this dark american moment and the strength to lead us out of it. that\xe2\x80\x99s the kind of leadership we deserve.\xe2\x80\x9d joebidensneighborhood,United States of America,New York,NY,Joe Biden,1,0.6\r\n1742,10/29/2020,\xe2\x80\x9cthe media is acting as a de facto biden campaign.\xe2\x80\x9d nedryun,United States of America,Colorado,CO,Joe Biden,2,0\r\n1743,10/29/2020,\xe2\x81\xa6joebiden\xe2\x81\xa9 joebiden cnn,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1744,10/29/2020,\xe2\x9a\xa0\xef\xb8\x8f expect more federal interference on education if joe biden is elected president laurazorc ampfw schoolchoice election2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n1745,10/29/2020,\xf0\x9f\x91\x8f\xf0\x9f\x91\x8f this is not what biden numbers would look like maga2020,United States of America,Alabama,AL,Joe Biden,0,-0.7\r\n1746,10/29/2020,\xf0\x9f\x93\xa3 new podcast 45. the jewish vote on spreaker ballot biden election trump vote,United States of America,Minnesota,MN,Joe Biden,2,0\r\n1747,10/29/2020,\xf0\x9f\x93\xa3 new podcast episode 23 - it's the 2020 election special on spreaker america biden coronavirus covi_d_19 disney election florida funspot gatorland nfl orlando pandemic president seaworld themeparks trump universalorlando vote,United States of America,Florida,FL,Joe Biden,2,0\r\n1748,10/29/2020,\xf0\x9f\x93\xb7 electionday election2020 november 3rd republicans democrats castyourvote castyourballot vote congress government america makeadifference donaldtrump joebiden 2020 yourchoice yourvalues...,United States of America,Connecticut,CT,Joe Biden,0,-0.1\r\n1749,10/29/2020,\xf0\x9f\x93\xb7 happy halloween  art photo alexperruzzi happy halloween joebiden bidenharris2020 makeamericasmartagain equality womensrights lgbtq\xf0\x9f\x8c\x88 humanrights voteforchange love...,United States of America,New York,NY,Joe Biden,1,0.7\r\n1750,10/29/2020,\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x92\xa6\xf0\x9f\x91\x87\xf0\x9f\x8f\xbb biden\xe2\x80\x99s twitter writer pandering in spanish.,United States of America,New York,NY,Joe Biden,1,0.1\r\n1751,10/30/2020,joebiden bidenharris biden2020 bidenharris2020,United States of America,Maryland,MD,Joe Biden,1,0.3\r\n1752,10/30/2020,trump2020 bidenharris2020 hunterbiden burisma draintheswamp joebiden martinaspen,United States of America,Illinois,IL,Joe Biden,1,0.4\r\n1753,10/30/2020,10000 trump fans should show up and drown out the biden fan,United States of America,Washington,WA,Joe Biden,0,-0.6\r\n1754,10/30/2020,2pac - president  via youtube \xf0\x9f\x94\x8a lilwayne trump biden realdonaldtrump joebiden liltunechi,United States of America,Connecticut,CT,Joe Biden,0,-0.1\r\n1755,10/30/2020,2\xe2\x83\xa384% rate their enthusiasm for supporting biden at a 7 or higher after viewing the \xe2\x80\x9cpro-biden ad vs 79% who watched only the \xe2\x80\x9cpro-trump\xe2\x80\x9d ad.,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1756,10/30/2020,4 days left as buslnesses are b0ardlng up wlnd0ws  via youtube november unrest riots elecciones2020 election2020 trump2020landslide trump2020 joebiden,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n1757,10/30/2020,4 days until the election early voting ends on tomorrow in newyork vote voteearly votelikeyourlifedependsonit elections2020 votebidenharris bidenharris2020 bidenharris joebiden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1758,10/30/2020,6 more reasons not to vote biden,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1759,10/30/2020,a brutally honest tax panel you should watch.  taxes tax biden trump,United States of America,New York,NY,Joe Biden,1,0.4\r\n1760,10/30/2020,a catholic 'hypocrite' fr. david miller on joebiden. election2020 abortion abortionismurder  via youtube,United States of America,Ohio,OH,Joe Biden,2,0\r\n1761,10/30/2020,a different tune if biden wins; he'll raise taxes lock down country they will lose their job and the stock market and their 401-k will go down quicker than bill clinton's next intern. vote with your brain not your emotions people. please trump maga biden realdonaldtrump,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n1762,10/30/2020,abc primed &amp; ready for a continuing relationship w/ joebiden.  goodbye madeinamerica.,United States of America,Alabama,AL,Joe Biden,2,0\r\n1763,10/30/2020,alicia20799805 we are doing are damn best to getoutthevote biden\xe2\x80\x99s the 1 man who actually knows that being prez is more than waking up watching 6-8 tv monitors rage tweeting &amp; planning which of his golf resorts he\xe2\x80\x99ll help out financially with his secret service detail in tow voteblue\xf0\x9f\x97\xb3,United States of America,Michigan,MI,Joe Biden,1,0.4\r\n1764,10/30/2020,all you \xe2\x80\x9cwoke\xe2\x80\x9d black folk talking about the 94 crime bill shut that shit up man biden was not the only one who voted for it and has since apologized for it biden crimebill,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n1765,10/30/2020,almost election day and still no word whether joebiden will pack scotus. tellusjoe tell us,United States of America,Oklahoma,OK,Joe Biden,0,-0.4\r\n1766,10/30/2020,although highly questionable biden family dealings in china have received less media attention than those in ukraine they potentially deserve more scrutiny due to beijing\xe2\x80\x99s importance as a u.s. economic and military adversary,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1767,10/30/2020,amanikitali tuckercarlson covid won't last forever. employment numbers &amp; everything else will bounce back when the country reopens. we are closer to recovery than any country in the world. but if you vote for thebigguy we're done. joebiden &amp; america will be china's dog.,United States of America,California,CA,Joe Biden,0,-0.2\r\n1768,10/30/2020,an important message brave pennsylvanians are risking their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it.,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1769,10/30/2020,angel energy -- the amount of torture this policy has brought is incalculable. we can do more than witness weep scream into our pillows and protest. we can elect biden,United States of America,Minnesota,MN,Joe Biden,0,-0.4\r\n1770,10/30/2020,as\xc3\xad es como el partidorepublicano act\xc3\xbaa robando votos. como sea pero vayan a votar y prep\xc3\xa1rense para largas colas. nuestra vida literalmente depende de ello.  mariaesalinas jorgeramosnews mariaceleste trump elecciones voto vote voto2020 biden,United States of America,California,CA,Joe Biden,2,0\r\n1771,10/30/2020,bad news for biden.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n1772,10/30/2020,bandyxlee1 after the cleansing go honkforjoe 7 pm fri- election eve let\xe2\x80\x99s deafen trumps lies. trumpislosing bidenharris2020 rvat2020  retweet biden  pass it on,United States of America,Washington,WA,Joe Biden,0,-0.2\r\n1773,10/30/2020,barackobama meet our 91 yo friend dr. richard morgan who voted biden. here's what he said at 1st my vote was denied 2x. it took hrs of phone calls to board of elections. i was going to go to courthouse in a wheelchair but the ballot came &amp; this soul didn't have to roll to the polls to vote,United States of America,Alabama,AL,Joe Biden,0,-0.3\r\n1774,10/30/2020,biden,United States of America,Michigan,MI,Joe Biden,1,0.3\r\n1775,10/30/2020,biden,United States of America,Michigan,MI,Joe Biden,1,0.3\r\n1776,10/30/2020,biden,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n1777,10/30/2020,biden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1778,10/30/2020,biden - how's that oratory style  loud angry does not work anymore.  he's been doing this shit for 47 years.,United States of America,New York,NY,Joe Biden,0,-0.9\r\n1779,10/30/2020,biden bidenharris democrats dems bluewave 2020election trump,United States of America,Wisconsin,WI,Joe Biden,2,0\r\n1780,10/30/2020,biden bidenlies bidenharris2020 trump trump2020landslide redwave2020,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1781,10/30/2020,biden campaign approach to recent corruption charges...ignore ignore ignore...deflect deflect deflect...the stench of guilt is pungent.,United States of America,Washington,WA,Joe Biden,0,-0.7\r\n1782,10/30/2020,biden is working for your vote because you keep his family wealthy. trump works for your vote because he is trying to makeamericagreatagain.,United States of America,Texas,TX,Joe Biden,2,0\r\n1783,10/30/2020,biden says he wouldn\xe2\x80\x99t use threat of cutting u.s. troop levels in ties with southkorea,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1784,10/30/2020,biden trump,United States of America,New York,NY,Joe Biden,2,0\r\n1785,10/30/2020,biden y trump miden fuerzas al hablar del atentado radical en niza - rt  eeuu election2020  trump biden,United States of America,Florida,FL,Joe Biden,1,0.2\r\n1786,10/30/2020,biden youaintblack wayne,United States of America,Maryland,MD,Joe Biden,1,0.3\r\n1787,10/30/2020,biden \xf0\x9f\x92\x99\xf0\x9f\x8c\x8a\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n1788,10/30/2020,bidencorruption trending bidencorruptionfamily bidencrimefamiily joebiden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1789,10/30/2020,bidenharris biden bobulinski bidencorruption fridaythoughts,United States of America,New York,NY,Joe Biden,1,0.3\r\n1790,10/30/2020,bobulinski is the conduit hunter was the pawn &amp; biden is the bigguy that abused his position as america\xe2\x80\x99s vp now possibly the next pres of u.s. where the hell is the top security agencies &amp; doj when citizens need them the most\xf0\x9f\xa4\xac,United States of America,Colorado,CO,Joe Biden,0,-0.7\r\n1791,10/30/2020,brave americans are risking their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1792,10/30/2020,brave texans are risking their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1793,10/30/2020,brettfavre realdonaldtrump realdonaldtrump just got endorsed by the most passes thrown to the other team all-time. that bodes well. bidenharris2020 biden voteblue vote election2020,United States of America,Texas,TX,Joe Biden,1,0.4\r\n1794,10/30/2020,brettfavre realdonaldtrump those are the exact reasons i am voting for biden.  because he really supports those items unlike degeneratedonald who wants to ban a religion thinks people should be prevented from speaking out against him wants to bankrupt social security and badmouths our troops.,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n1795,10/30/2020,but latinos would rather vote for agent orange damn sheep\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbf\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f latinosfortrump trumpislosing votehimout joebiden,United States of America,Maryland,MD,Joe Biden,0,-0.7\r\n1796,10/30/2020,but rachel maddow won\xe2\x80\x99t touch it too hot to handle for the suits at msnbc warroompandemic biden bidencrimefamilly,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1797,10/30/2020,byviccalderon charleneforaz yes - realpatriots  in az get your vote in for joebiden and markkelly to save our democracy,United States of America,Alaska,AK,Joe Biden,0,-0.1\r\n1798,10/30/2020,california governor taking precautions for 'whatever may occur\xe2\x80\x99 after polls close | \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 california 55 electoral votes are not in doubt as polls show california will overwhelmingly vote in favor of democratic candidate joebiden | \xe2\x81\xa6cmarinucci\xe2\x81\xa9,United States of America,Nevada,NV,Joe Biden,0,-0.5\r\n1799,10/30/2020,carlson slams media for ignoring hunter biden story -- \xe2\x80\x98how do you maintain a democratic system when reality itself has been banned\xe2\x80\x98  via breitbartnews,United States of America,California,CA,Joe Biden,0,-0.7\r\n1800,10/30/2020,cbs nbc abc cnn msnbc nytimes npr wapo bobulinski tonybobulinski biden friday fakenewsmediaclowns\xf0\x9f\xa4\xa1,United States of America,New York,NY,Joe Biden,1,0.2\r\n1801,10/30/2020,cher bon jovi and now....stevie wonder - biden campaign announces that stevie wonder will join joebiden and barackobama at drive-in event in detroit michigan tomorrow election2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1802,10/30/2020,chinajoe joebiden is a nationalsecurity risk. you can listen for yourself. hunter mentions his dad. bombshell audio recording of hunter biden obtained from laptop  via youtube,United States of America,Texas,TX,Joe Biden,2,0\r\n1803,10/30/2020,chorus of the damned vote  biden and this is the lunacy you agree with trump2020,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n1804,10/30/2020,cnn cnn exploits idiots who believe everything the lemmings lol cnn fox trump joebiden .,United States of America,California,CA,Joe Biden,0,-0.9\r\n1805,10/30/2020,cnn trump already proposed $500 billion in medicare &amp; aca cuts for 2021 forward.   he doesn\xe2\x80\x99t give a crap about working families. healthcare biden rally  bostonherald   tampabay tampa florida ftlauderdalesun orlandosentinel sunsentinel  seniors,United States of America,Massachusetts,MA,Joe Biden,0,-0.3\r\n1806,10/30/2020,come on y\xe2\x80\x99all go vote get trump ass out of there \xe2\x9d\x97\xef\xb8\x8f biden,United States of America,Georgia,GA,Joe Biden,0,-0.9\r\n1807,10/30/2020,congressmanhice joebiden realdonaldtrump this is so disturbing when we all knew joebiden was quidprojoe,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n1808,10/30/2020,could a joe biden presidency be a trojan horse for progressives to sneak in and control the cabinet heytammybruce says it's definitely possible. warren aoc sanders varneyco,United States of America,New York,NY,Joe Biden,2,0\r\n1809,10/30/2020,could trump win biden aides see warning signs in black latino turnout so far - bloomberg,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1810,10/30/2020,cybercrusader45 ilhanmn glad you support biden,United States of America,New York,NY,Joe Biden,1,0.9\r\n1811,10/30/2020,damn right joebiden kamalaharris votebluetosaveamerica,United States of America,Arizona,AZ,Joe Biden,1,0.1\r\n1812,10/30/2020,dc authenticates 'smoking gun' hunter biden email - a cybersecurity expert has authenticated the email that implicates then-vp joe biden in his son\xe2\x80\x99s shady business dealings in ukraine bidencrimesyndicate election2020 biden2020 joebideniscorrupt biden,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n1813,10/30/2020,debate or debacle satan or lucifer wake up israel we have been voting for over 50 years and still are in the same conditions as a people biden trump proudboys trumpisaracist debate2020 voteordie iuic blackjesus,United States of America,Kentucky,KY,Joe Biden,0,-0.3\r\n1814,10/30/2020,delivery giant ups confirmed it has found a lost packet of documents that foxnews\xe2\x80\x99 tuckercarlson said would provide evidence in the ever-growing scandal involving joebiden\xe2\x80\x99s son hunterbiden and his overseas business dealings.,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1815,10/30/2020,democrat joebiden joebidenukrainescandal  if the media is on your side your not with the ressistance lol,United States of America,California,CA,Joe Biden,1,0.1\r\n1816,10/30/2020,democratic presidential candidate joe biden drivers remarks in the rain during a drive-in rally in tampa fl just 5 days before the us election. joebiden campaign joebiden afpphoto rain weather,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1817,10/30/2020,democrats - you no one to blame but yourselves...  electionday joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n1818,10/30/2020,democrats biden biden bobulinsky christiansforbiden       mainstreammedia thanks breitbartnews  carlson slams media for ignoring hunter biden story -- \xe2\x80\x98how do you maintain a democratic system when reality itself has been banned\xe2\x80\x98  via breitbartnews,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n1819,10/30/2020,diary of a radio junkie 1805 days of waking up to the news presidentialelection2020 trump biden michigan militia guns  bidenharris masks maskssavelives covid19 covid_19 coronavirus trumpliesamericansdie graywolves endangeredspeciesact hurricanezeta painting art,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1820,10/30/2020,did joebiden just say pussy in another short circuit while speaking  bidenharris2020 biden,United States of America,Nevada,NV,Joe Biden,2,0\r\n1821,10/30/2020,did tuckercarlson lose his fauxnews fake conspiracy evidence in one of many now removed post boxes what a rookie error  i bet he backed those files up on a few floppy disks too... foxnewsisajoke creatingconspiracy  trumpcrimefamily biden resist bidenharris2020landslide,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n1822,10/30/2020,donaldtrump will lose not because of any enthusiasm for joebiden \xe2\x80\x94 there isn't any \xe2\x80\x94 but because there's overwhelming enthusiasm for tossing the orange monster out of office...,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1823,10/30/2020,drbiden ask joe about his thoughts on packing the supreme court. he doesn\xe2\x80\x99t seem to have any after 50 years in politics. joebiden,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1824,10/30/2020,emails reveal how hunter biden tried to cash in big on behalf of family with chinese firm  via nypost bidencrimefamilly hunterbidenlaptop joebiden trump trump2020landslide,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1825,10/30/2020,epochtimes no one but a crackhead would leave their laptop with sensitive emails on it at some repair shop with your name on it .... sorry joebiden .... if that is the smartest person you know ... you are not qualified for potus job,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1826,10/30/2020,every time i hear joebiden i hear mayarudolph saying \xe2\x80\x9cja biden.\xe2\x80\x9d,United States of America,Washington,WA,Joe Biden,0,-0.2\r\n1827,10/30/2020,faltan 4 dias para la eleccion2020 trump vs biden todo el analisis por la radio 920 am votolatino,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1828,10/30/2020,faltan 4 dias para la eleccion2020 trump vs biden todo el analisis por la radio 920 am votolatino,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1829,10/30/2020,fbrs resist vote voteearly vote2020 votethemallout voteearlyday voteready votelikeyourlifedependsonit voteblue2020 biden  votehimout2020 election2020 bluetsunami2020 bidenharrislandslide2020 votebidenharristosaveamerica2020 saveusvoteblue resistance,United States of America,Washington,WA,Joe Biden,2,0\r\n1830,10/30/2020,florida vote bidenharris joebiden,United States of America,California,CA,Joe Biden,1,0.2\r\n1831,10/30/2020,flotus thanks for endorsing joebiden biden has a plan for covid19 &amp; will not strip healthcare from millions of americans. votebluedownballot,United States of America,Texas,TX,Joe Biden,1,0.2\r\n1832,10/30/2020,former president bill clinton also recited the famous passage during his visit to derry in 1995.  election2020 joebiden,United States of America,New York,NY,Joe Biden,1,0.1\r\n1833,10/30/2020,fortheirfuture vote biden bidenharrislandslide2020,United States of America,California,CA,Joe Biden,1,0.2\r\n1834,10/30/2020,fridayfeeling cnn morningjoe msnbc bidencorruption biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb,United States of America,New York,NY,Joe Biden,1,0.1\r\n1835,10/30/2020,fridaymotivation fridayfeeling biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb bsartist,United States of America,New York,NY,Joe Biden,1,0.4\r\n1836,10/30/2020,from the archives  here\xe2\x80\x99s how biden\xe2\x80\x99s lead compares to hillary clinton\xe2\x80\x99s four years ago  biden clinton,United States of America,New York,NY,Joe Biden,2,0\r\n1837,10/30/2020,george w. bush on donald trump michelle obama 9/11 &amp; much more | pen |...  via youtube our talented and extraordinary x president the days of having real uspresidents bush clinton obama how we all long for intelligent leaders . joebiden is next \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n1838,10/30/2020,gop realdonaldtrump flotus that is what joebiden has been saying all along. guess y\xe2\x80\x99all are finally realizing what he\xe2\x80\x99s saying is true. probably why you\xe2\x80\x99re trying it out. but it\xe2\x80\x99s too late. especially w/ over 88000 new cases of covid just yesterday. votebidenharris trumpvirusdeathtoll230k,United States of America,Washington,WA,Joe Biden,0,-0.1\r\n1839,10/30/2020,goywithaploy3 rncresearch melissatweets i still can't figure out what joebiden was going for w/ trunalimunumaprzure,United States of America,Alabama,AL,Joe Biden,0,-0.7\r\n1840,10/30/2020,guypbenson jasoninthehouse biden\xe2\x80\x99s speech longtime difficulties are well-known. his story has been told; you know this. it\xe2\x80\x99s beneath you to mock that.  and if i were a trump supporter i would *never* mock anyone for verbal gaffes. ever. by the way i\xe2\x80\x99m not a biden supporter. but i do like you so stop.,United States of America,Alabama,AL,Joe Biden,0,-0.2\r\n1841,10/30/2020,h. harrison coleman iv\xc2\xa0~ leavenworth kansas \xe2\x80\x9ca potential biden presidency sets the stage for an internal fight with other democrats as biden increasingly falls out of ideological sync with the rest of his party.\xe2\x80\x9d irisopinion joebiden presidency,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1842,10/30/2020,ha is this the comedycentral account biden campaign is about not being trump and nothing else. and it's probably going to work election2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1843,10/30/2020,happybirthdayivanka just thinking how different life will be when your dad  presidentpedophile will be once you both go to prison after biden is elected.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1844,10/30/2020,have you rocked out to the pags parody china joe  sort of wrote itself.  bidencrimefamiiy joebiden,United States of America,Texas,TX,Joe Biden,1,0.4\r\n1845,10/30/2020,he's totally shot - watch a foggy slurring joe biden this week make the single dumbest speech ever   trump biden,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1846,10/30/2020,help save the soul of this nation support joebiden and \xe2\x81\xa6kamalaharris\xe2\x81\xa9 biden bidenharris2020 bluewave bidenharristosaveamerica bidenharrislandslide \xe2\x80\x94 donate via actblue,United States of America,California,CA,Joe Biden,1,0.3\r\n1847,10/30/2020,hey joe you have the right to remain silent anything you say can and you know the thing  biden,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n1848,10/30/2020,hey stupid caller to curtisandjuliet  drive around traditionally republican upstateny. never saw a hillary sign 4 years ago. the biden signs are reproducing like rabbits.  btw i'm talking real upstate not w/in 150 miles of nyc.,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1849,10/30/2020,hillaryclinton senatedems democrats socialists liberals use the dead to con america just like biden pity ad - rbg whose had cancer should have retired years ago you are all abusive in forcing her to stay on for sake of liberalism endbias demsabuseelders realwalkaway,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1850,10/30/2020,hunterbiden trump maga joebiden pittsburgh conservative backtheblue,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n1851,10/30/2020,hunterbidenslaptop joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n1852,10/30/2020,i can't wait to never from joebiden again.,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n1853,10/30/2020,i can\xe2\x80\x99t wait until fivethirtyeight and natesilver538 give trump a single digit chance of winning.  like the weather it still rains with a 10% chance sometimes  biden bidenharris bluewave2020,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1854,10/30/2020,i don't have a single gop friend who is voting for trump. in 2016 some didn't vote and some voted for gary johnson. this time they are all voting for joebiden. i guess i am lucky to have smart friends. joewillleadus,United States of America,Virginia,VA,Joe Biden,2,0\r\n1855,10/30/2020,i don\xe2\x80\x99t know about you but if biden wins i will be dancing in the streets biden  biden2020  bidenharrislandslide2020,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n1856,10/30/2020,i don\xe2\x80\x99t think she realizes what her speech writers did here... but ok bidenharris2020 biden newleadership leadershipmatters shesaidit bebetter displayofhatred bettertogether truthmatters,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1857,10/30/2020,i gave up on marriage but will give it a chance if................................................haha got em budget2021 biden lgbtqia,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1858,10/30/2020,i love all these maga people crashing joebiden \xe2\x80\x98s pathetic parking lot tour. someone needs to bring a tuba or a trombone,United States of America,Virginia,VA,Joe Biden,0,-0.1\r\n1859,10/30/2020,i think about this a lot. how is it this close biden trump,United States of America,Indiana,IN,Joe Biden,1,0.1\r\n1860,10/30/2020,i voted for biden,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1861,10/30/2020,i want to live in a country that stands up for all people. that's why i voted for joebiden    bidenharristosaveamerica demcast demcastoh demcastpa demcastca democrat demcastfl demcastnh demcasttx demcastsc,United States of America,California,CA,Joe Biden,1,0.2\r\n1862,10/30/2020,i've been saying that for a long time say it louder for the idiot's in the back trumpcrimefamily trumpisalaughingstock trumpvirus trumpvirusdeathtoll230k trumpisaloser bidenharris2020 bidenharristosaveamerica biden,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1863,10/30/2020,i've never seen a more true visual example of how this communist party works. votered voteblue joebiden  trump2020,United States of America,New York,NY,Joe Biden,1,0.5\r\n1864,10/30/2020,icecube its embarrassing how you have inserted yourself in the elections.......you guys are the laughing stock of the world. like crabs trying to crawl out a barrel keep pulling each other down. how is what you are doing helpful tell me please. why not have these debates after biden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1865,10/30/2020,if biden wins texas it\xe2\x80\x99s game over,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1866,10/30/2020,if joebiden aka joechina /quidprojoe gets elected can you imagine the next 4 years without any trump rallies or trump press conferences\xf0\x9f\x98\x9fevery now and then sleepyjoe will pop his head out of the whitehouse to tell cnn &amp; msnbc reporters what kind of ice cream he had.\xf0\x9f\xa4\xa8,United States of America,Nevada,NV,Joe Biden,0,-0.4\r\n1867,10/30/2020,if joebiden says \xe2\x80\x9cfolks\xe2\x80\x9d 1 more time...,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1868,10/30/2020,if you early voted for joebiden you\xe2\x80\x99re screwed if he wins election2020,United States of America,Illinois,IL,Joe Biden,0,-0.9\r\n1869,10/30/2020,if you're sick of having a sleazy government that lies to you vote for joebiden and kamala harris and vote bluedowntheballot.   bidencoalition biden demcastca demcast vote  bluedo arizonaforbiden demcastaz flipitblue,United States of America,California,CA,Joe Biden,0,-0.3\r\n1870,10/30/2020,iheartradio why are companies that never advertise to me suddenlydoig paid promotions 4 biden this isn\xe2\x80\x99t as bad as what comedycentral did but the fec needs to investigate. this is an illegal campaign contribution. teamtrump marc_lotter trumpwarroom garycoby trumpstudents erictrump,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1871,10/30/2020,in texas people still can think independently and ask biden democrat to explain their lies. biden is ofcourse to afraid to answer. if this would be trump it would get a lot of cnn exposure.,United States of America,Massachusetts,MA,Joe Biden,0,-0.6\r\n1872,10/30/2020,in this fleeting moment our fate rests. evil conspires to steal the contests. long since sold their souls are lost. we stand and fight no matter the cost. banish the darkness from whence it came. never again have to feel this pain. turn on the love to live again. joebiden \xf0\x9f\x87\xba\xf0\x9f\x87\xb2,United States of America,California,CA,Joe Biden,0,-0.1\r\n1873,10/30/2020,increasingly blue harris other large counties key to biden chances in texas,United States of America,Puerto Rico,PR,Joe Biden,1,0.1\r\n1874,10/30/2020,is america awake yet these so called democrats are the real enemy\xe2\x80\x99s wakeupamericans walkaway vite blacklivesmatter coronavirus biden trump blackvoicesfortrump georgefloyd breonnataylor,United States of America,California,CA,Joe Biden,0,-0.5\r\n1875,10/30/2020,it is impressive how trump decried the real steele memos as fake but believe an anti-biden report created by an ai max headroom person designed to fool him.,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n1876,10/30/2020,it's the fourth quarter it will take all of us believeinbiden biden,United States of America,Oklahoma,OK,Joe Biden,0,-0.2\r\n1877,10/30/2020,it's up to us to keep our democracy alive. if he could trump would undermine the will of the people and subvert the election results so he could remain in power. don't let that happen. votelikeyourlifedependsonit    vote election2020 biden 1u p2,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n1878,10/30/2020,itanimulli20 cult_of_the_sun sarahcpr so people aren\xe2\x80\x99t suppose to vote for joebiden because of \xe2\x80\x9ceye witnesses\xe2\x80\x9d who has seen documents that involve the new bogeyman of the extreme right hunterbiden.  poor guy.  who was the head of a company who actually won a nobel prize i should say,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1879,10/30/2020,it\xe2\x80\x99d be nice if youtube would stop giving me biden ads nonstop. i already made my decision thanks.,United States of America,North Carolina,NC,Joe Biden,0,-0.1\r\n1880,10/30/2020,it\xe2\x80\x99s obvious that the covid19 playbook has been written and just going to be plagerized and bastardized by a biden admin.  these liberal governors are just waiting until after the election to restart the lockdowns that will fully destroy this country and open us to adversaries,United States of America,California,CA,Joe Biden,0,-0.7\r\n1881,10/30/2020,i\xe2\x80\x99m ready to see a great president  joebiden is that president,United States of America,Massachusetts,MA,Joe Biden,1,0.9\r\n1882,10/30/2020,i\xe2\x80\x99m so proud of my grandmother beatricelumpkin helping spread the word of why it\xe2\x80\x99s so important to get your vote out on cbschicago with kerrywashington leodicaprio and more belikebea vote2020 joebiden bidenharris2020 joebiden kamalaharris,United States of America,New York,NY,Joe Biden,1,0.8\r\n1883,10/30/2020,jack twtr bias 2020 down 21% today couldn\xe2\x80\x99t happen to a better company oops.  parler antifa sucks bidencrimefamiiy biden crimesyndicate,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n1884,10/30/2020,jcpolanconyc are you endorsing joebiden  joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n1885,10/30/2020,joe biden allowed to hold event at same milwaukee airport that denied trump a rally guess why \xe2\x80\x93,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n1886,10/30/2020,joe is jogging in the rain while djt cancels b/c 'my hair' joebiden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n1887,10/30/2020,joe joebiden,United States of America,Tennessee,TN,Joe Biden,1,0.5\r\n1888,10/30/2020,joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1889,10/30/2020,joebiden  has referenced the trump supporters off to his left 3 times now by calling them those ugly folks over there. pathetic.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1890,10/30/2020,joebiden  you couldn\xe2\x80\x99t get the job done in 47 years  now at the end of your productive life you don\xe2\x80\x99t have the energy the stamina or the mental agility to hold the most important and difficult job in the world. your beloved basement awaits trump2020landslide,United States of America,California,CA,Joe Biden,2,0\r\n1891,10/30/2020,joebiden bidenharris2020 bidenharristoendthisnightmare,United States of America,New York,NY,Joe Biden,1,0.3\r\n1892,10/30/2020,joebiden hunterbiden maga trump,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1893,10/30/2020,joebiden hunterbidenlaptop hunterbidenslaptop bidencrimefamiily joebidenissick,United States of America,California,CA,Joe Biden,1,0.3\r\n1894,10/30/2020,joebiden is a freaking loser he\xe2\x80\x99s has never done a damn thing for america,United States of America,Pennsylvania,PA,Joe Biden,0,-0.9\r\n1895,10/30/2020,joebiden is a nationalsecuritythreat,United States of America,California,CA,Joe Biden,2,0\r\n1896,10/30/2020,joebiden is not running to help america. he\xe2\x80\x99s running to help his son.  bidenharris2020,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n1897,10/30/2020,joebiden is our hope.,United States of America,California,CA,Joe Biden,1,0.5\r\n1898,10/30/2020,joebiden is sleeping and realdonaldtrump is tweeting at 230 am.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1899,10/30/2020,joebiden joebiden and i like the same dq treat choc/vanilla swirl for the win,United States of America,Washington,WA,Joe Biden,1,0.9\r\n1900,10/30/2020,joebiden liesafterlies  3 switching to the greendeal will create jobs and improve the economy. truth if biden is elected the stock market will crash taxes will increase for all and the economy will tank. save democracy. vote trump2020landslide redwaverising2020,United States of America,California,CA,Joe Biden,1,0.1\r\n1901,10/30/2020,joebiden no love for the people. just mockery after mockery.,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1902,10/30/2020,joebiden no one can figure out what the fuck he is trying to say with all that screaming and rambling,United States of America,California,CA,Joe Biden,0,-0.8\r\n1903,10/30/2020,joebiden plans to make elizabeth warren his treasury secretary.,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n1904,10/30/2020,joebiden please vote for joebiden,United States of America,New York,NY,Joe Biden,1,0.1\r\n1905,10/30/2020,joebiden vote firetrump,United States of America,California,CA,Joe Biden,1,0.2\r\n1906,10/30/2020,joebiden...saturdaythoughts,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n1907,10/30/2020,joenbc it\xe2\x80\x99s gonna be a landslide.. no energy for biden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1908,10/30/2020,joewillleadus straight to hell. this is joebiden america bidenharris2020 trump2020landslide or bust.,United States of America,California,CA,Joe Biden,0,-0.5\r\n1909,10/30/2020,join me with farrukhpitafi on ptv talking about the uselections2020  vote joebiden kamalaharris donaldtrump democrats republicans obama    saforbiden,United States of America,California,CA,Joe Biden,2,0\r\n1910,10/30/2020,josh dickson the christian case for joe biden | the exchange | a blog by ed stetzer,United States of America,New Jersey,NJ,Joe Biden,2,0\r\n1911,10/30/2020,journalist john ubaldi and joe bitz talk healthcare biden v trump.  healthcare health affordablecareact supremecourt biden biden2020 bidenharris2020 trump2020 realdonaldtrump donaldtrumpjr democrats republicans election2020,United States of America,Florida,FL,Joe Biden,2,0\r\n1912,10/30/2020,judicial watch announced it filed a foia lawsuit in the u.s. district court for the d.c against the u.s. department of homeland security dhs for records relating to travel by hunterbiden son of former vice president joebiden. read,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1913,10/30/2020,judicial watch announced it filed a foia lawsuit in the u.s. district court for the d.c against the u.s. department of homeland security dhs for records relating to travel by hunterbiden son of former vice president joebiden. read,United States of America,New York,NY,Joe Biden,2,0\r\n1914,10/30/2020,julian edelman is expected to miss some period of time after undergoing knee surgery.  is this the end of the road for the patriots wide receiver   trump coronavirus joebiden facebook patriots justinturner tonylarussa vincemcmahon spn,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n1915,10/30/2020,just making sure she doesn\xe2\x80\x99t vote for biden \xf0\x9f\x98\x82\xf0\x9f\x98\x82 uselections2020 election2020,United States of America,California,CA,Joe Biden,0,-0.6\r\n1916,10/30/2020,kamalaharris let\xe2\x80\x99s go\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x99\x8c\xf0\x9f\x8f\xbe\xf0\x9f\x99\x8c\xf0\x9f\x8f\xbe\xf0\x9f\x99\x8c\xf0\x9f\x8f\xbe joebiden,United States of America,New York,NY,Joe Biden,1,0.1\r\n1917,10/30/2020,kayleighmcenany it's probably because biden realizes that the gop is deaf. republicansforbiden lincolnvoter,United States of America,Tennessee,TN,Joe Biden,2,0\r\n1918,10/30/2020,kayleighmcenany why is realdonaldtrump such a cry baby we need a new president \xf0\x9f\x98\x82 \xf0\x9f\x98\x8e joebiden kamalaharris joebidenkamalaharris2020,United States of America,California,CA,Joe Biden,0,-0.8\r\n1919,10/30/2020,kellyannepolls get off my lawn you damned kids \xf0\x9f\xa4\xa3 joebiden,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n1920,10/30/2020,kindness and compassion are two qualities i\xe2\x80\x99m looking for. i see those qualities in joebiden not so much in his opponent.,United States of America,Indiana,IN,Joe Biden,1,0.2\r\n1921,10/30/2020,kirstiealley kirstie your rock really misses you you should go climb back under it. kirstiealley trumpispathetic biden joebiden,United States of America,California,CA,Joe Biden,1,0.1\r\n1922,10/30/2020,ky_gill28 lost my dad to covid19 on september 8 2020 my dad was somebody jr unlike you joebiden joebiden2020 joebidenkamalaharris2020,United States of America,Missouri,MO,Joe Biden,0,-0.4\r\n1923,10/30/2020,lackboys3 joebiden bettymccollum04 biden does not care.,United States of America,Colorado,CO,Joe Biden,0,-0.8\r\n1924,10/30/2020,let\xe2\x80\x99s vote and take back our government on tuesday. bidenharris2020 bluewave joebiden,United States of America,California,CA,Joe Biden,1,0.1\r\n1925,10/30/2020,looked at thermometer and smiled as i sighed\xe2\x80\x94- \xe2\x80\x9choping for a steady 46 for the next four years\xe2\x80\x9c vote biden bidenharris2020,United States of America,New York,NY,Joe Biden,1,0.1\r\n1926,10/30/2020,looks like it's running in the family... this dates back to 2018 biden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1927,10/30/2020,love is stronger than hate. we have a chance to send a message of love and hope. but that only happens when you vote. so get out to the polls and vote. this is our moment this is our chance vote election2020 joebiden bidenharris loveislove lovewins,United States of America,California,CA,Joe Biden,2,0\r\n1928,10/30/2020,make america compassionate and empathetic again biden2020 bidenharris2020 biden democracy vote vote2020 election2020 bidenharris democrats progressives votehimout,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1929,10/30/2020,making america great again in arizona will mean biden markkelly legalizemarijuanaaz,United States of America,Arizona,AZ,Joe Biden,1,0.6\r\n1930,10/30/2020,marklevinshow anybody who is voting for joebiden is either willfully ignorant of what a corrupt pos he is or are so clouded with tds that nothing else matters to them.,United States of America,Massachusetts,MA,Joe Biden,0,-0.9\r\n1931,10/30/2020,minnesota biden republicansforbiden election2020,United States of America,Colorado,CO,Joe Biden,1,0.3\r\n1932,10/30/2020,monday joe biden; jillbiden sen. kamalaharris; and harris's husband dougemhoff will campaign in pennsylvania acc'd to campaign guidance.,United States of America,Washington,WA,Joe Biden,1,0.2\r\n1933,10/30/2020,most of the moderate i dependent voters don\xe2\x80\x99t hear this from the media. joebiden is running on covid but americans should know they may be voting for disruption of a different kind from the political left. election2020 swamp,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1934,10/30/2020,my latest \xe2\x80\x9cbiden has pledged to \xe2\x80\x98lead a comprehensive approach to battling antisemitism.\xe2\x80\x99 he also remarked at a jewish american heritage month reception that \xe2\x80\x98jewish values are such an essential part of who we are.\xe2\x80\x99\xe2\x80\x9d bidenharris2020,United States of America,New York,NY,Joe Biden,1,0.4\r\n1935,10/30/2020,nanhayworth rkylesmith what do you call a power hungry narcissist sex obsessed corrupt and very old man joebiden,United States of America,Arizona,AZ,Joe Biden,0,-0.9\r\n1936,10/30/2020,neilfan12 iprtropicupdate cov_gretchen foxnews joebiden almost election day and still no word whether joebiden will pack scotus. tellusjoe tell us,United States of America,Oklahoma,OK,Joe Biden,0,-0.4\r\n1937,10/30/2020,nepatriot52 bostonglobe who cares about massachusetts choosing the racist antisemite biden democrat party they vote out of hate and did the same when this state voted for hillary.,United States of America,Massachusetts,MA,Joe Biden,0,-0.7\r\n1938,10/30/2020,news on our southern border biden will get the 545 immigrantchildren back to their families and loved ones.  care about kids then dumptrump election2020 votebidenharris2020,United States of America,Virginia,VA,Joe Biden,2,0\r\n1939,10/30/2020,no energy biden is at it again just screaming and talking about nothing other than covid deaths. what an idiot. joebiden bidenharris2020 trump2020 election2020,United States of America,California,CA,Joe Biden,0,-0.4\r\n1940,10/30/2020,no power  no problem  they brought in a voting bus at the chastain location.  vote2020 chastainlife chastainpark chastain democrat republican biden trump vote,United States of America,Georgia,GA,Joe Biden,2,0\r\n1941,10/30/2020,nonwweguy democracy is on the ballot. we cannot survive four more years of trump. we have already almost devolved into an authoritarian regime. we must vote biden and then be activists demanding change once he's in.,United States of America,Illinois,IL,Joe Biden,0,-0.5\r\n1942,10/30/2020,nowthisnews aoc sunrisemvmt this is just another reason why i still have a hard time voting for biden. aoc is another churned out charlatan who has done nothing as far as targeted legislation ...other than run her annoying vocals eyeballs and wide flaring nostrils. nothingburgeraoc,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1943,10/30/2020,obama &amp; biden never did a damn thing for michigan the flint water crisis happened on their watch ppl still didn\xe2\x80\x99t have clean water when they left office there should have been more focus on getting clean water &amp; less spying on trump,United States of America,Ohio,OH,Joe Biden,0,-0.9\r\n1944,10/30/2020,omg a mini-concert by the amazing yoyo_ma in support of aapi gotv thank you votejoe biden wisconsin2020,United States of America,Washington,WA,Joe Biden,1,0.9\r\n1945,10/30/2020,on nov 3 we make america great again by voting him out. vote vote2020 votehimout voteblue votebluetosaveamerica votebiden votebidenharristosaveamerica biden bidenharris bidenharris2020 bidenharristosaveamerica bluewave bluewavecoming bluetsunami bluetsunami2020 1/4,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n1946,10/30/2020,on nov 3 we make america great again by voting him out. vote vote2020 votehimout voteblue votebluetosaveamerica votebiden votebidenharristosaveamerica biden bidenharris bidenharris2020 bidenharristosaveamerica bluewave bluewavecoming bluetsunami bluetsunami2020 2/4,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n1947,10/30/2020,ope lewisformn rv just showed up at the biden rally,United States of America,Minnesota,MN,Joe Biden,0,-0.2\r\n1948,10/30/2020,our team canvassed our region twice over today super volunteers brought me on the verge of tears and i said hi to john legend on a zoom. good day. \xf0\x9f\x8c\x8a\xf0\x9f\x92\x99 joebiden gotv,United States of America,California,CA,Joe Biden,1,0.6\r\n1949,10/30/2020,ozy news outlets paid little att to allegations by former business partner of hunterbiden that son was cutting joebiden in on deals w/a chinese govt-tied energy firm \xe2\x80\x94 maybe bc there\xe2\x80\x99s no evidence that such a deal ever happened,United States of America,Oregon,OR,Joe Biden,0,-0.6\r\n1950,10/30/2020,please vote for class dignity respect morals decency and leadership.  joe biden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1951,10/30/2020,poll it\xe2\x80\x99s getting closer to electionday who gets your vote elections2020 donaldtrump joebiden trump2020 biden2020,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1952,10/30/2020,poll numbers schmoll schmumbers. these are the only poles i trust. vote vote vote vote vote vote vote vote vote vote vote vote joebiden kamalaharris voteearly vote2020 pulaski election202 janekrakowski dannypudi dad johnkrasinski christinebaranski mariacurie poles,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n1953,10/30/2020,predict the president election2020 will trump or biden win the us election make your own map. you decide | 270towin,United States of America,California,CA,Joe Biden,0,-0.2\r\n1954,10/30/2020,presidentia joebiden ridenwithbiden2020,United States of America,Iowa,IA,Joe Biden,1,0.3\r\n1955,10/30/2020,priest 'you cannot be catholic and vote for biden period',United States of America,Arizona,AZ,Joe Biden,0,-0.6\r\n1956,10/30/2020,proud of my sister-in-law bidenharris2020 biden bidenharrislandslide2020 republicansforbiden trumpfailed trumpcrimefamily,United States of America,California,CA,Joe Biden,1,0.7\r\n1957,10/30/2020,proudlyweserved and we support joebiden for president,United States of America,Texas,TX,Joe Biden,1,0.5\r\n1958,10/30/2020,puertorico dc biden is for statehood.,United States of America,New York,NY,Joe Biden,2,0\r\n1959,10/30/2020,question you think barrack obama will be in the biden administration in some form ambassador,United States of America,Colorado,CO,Joe Biden,0,-0.5\r\n1960,10/30/2020,raster54 marinjos bostonglobe because its great that he rejects the hateful racist antisemite biden ilhanomar nancypelosi democrat party,United States of America,Massachusetts,MA,Joe Biden,1,0.6\r\n1961,10/30/2020,real classy joe. joebiden smart way to win votes.,United States of America,New York,NY,Joe Biden,1,0.5\r\n1962,10/30/2020,realdonaldtrump i voted joebiden because of you realdonaldtrump...i changed my political affiliation after 20+ years you sir realdonaldtrump are horrible for this country \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f bidenharristosaveamerica biden bidenharris2020 bidenharris2020landslide dumptrump,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1963,10/30/2020,realdonaldtrump in dallas my 2 beautiful  boys have been in school for 2 months. 1on football team &amp; 1 in orchestra -doing great depressionisreal &amp; anxiety is freaking these kids out no one did this for sarscov2 or mrsa - under biden obama &amp;those actually kill our kids. factsmatter,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1964,10/30/2020,realdonaldtrump my entire family and i already voted for joebiden trumpisafailure trumpisafraud bidenharris2020landslide,United States of America,New York,NY,Joe Biden,1,0.1\r\n1965,10/30/2020,realdonaldtrump pls sweet baby jesus  don\xe2\x80\x99t let kamalaintexas today effect that. biden is on foxnews screaming lies that have been debunked. he\xe2\x80\x99s using \xe2\x80\x9csuckers &amp; liars\xe2\x80\x9d as a factual quote &amp; 750 in taxes misrepresentation/partial pic to turn ppl against you;screaming ppl pay more than u.,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1966,10/30/2020,realdonaldtrump plutotv has biden commercials back to back all day long. it\xe2\x80\x99s literally a constant barrage of trump bashings. it\xe2\x80\x99s disgusting not 1 positive trump commercial.,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n1967,10/30/2020,reasons to vote for joe  biden2020 joebiden biden vote,United States of America,Georgia,GA,Joe Biden,1,0.3\r\n1968,10/30/2020,reasons to vote for joe  biden2020 joebiden biden vote,United States of America,New York,NY,Joe Biden,1,0.3\r\n1969,10/30/2020,reasons to vote for joe  biden2020 joebiden biden vote,United States of America,New York,NY,Joe Biden,1,0.3\r\n1970,10/30/2020,redamor_ joebiden ivotedearly ivotedbiden alaskans4biden americaortrump votehimout trumpliesamericansdie dumptrump biden endtrumpnightmare ichooseamerica stopthehate bidenharris2020 inspirechange voteagainsttrump voteforourlives enoughisenough bidenharris votebidenharris2020,United States of America,Alaska,AK,Joe Biden,1,0.4\r\n1971,10/30/2020,report doj official confirms fbi investigating hunter biden for money laundering  via breitbartnews,United States of America,California,CA,Joe Biden,0,-0.3\r\n1972,10/30/2020,rough measure of candidate stamina realdonaldtrump making 17 campaign appearances between now and monday; joebiden making less than half 7. biden will be 78 two weeks after election day.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1973,10/30/2020,ryanafournier no wonder joebiden decided to run too much out there that needs a coverup the fact the fbi kept this info secret from potus is beyond frightening; imagine what they will do to normal folk,United States of America,California,CA,Joe Biden,0,-0.7\r\n1974,10/30/2020,savagetrump trump dance bidentrump vote 2020 biden sleepyjoe ohhohh trump2020 fakenews cnnfakenews bastard savage fyp,United States of America,New York,NY,Joe Biden,1,0.3\r\n1975,10/30/2020,savagetrump trump dance bidentrump vote 2020 biden sleepyjoe ohhohh trump2020 fakenews cnnfakenews bastard sleepyjoe savage fyp,United States of America,New York,NY,Joe Biden,1,0.3\r\n1976,10/30/2020,shut up already nbcnews. everybody knows about your pro-biden bias. stop trying to cover-up for criminals and do some  actual journalism for a change. you can't stop the trumptrain2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x9a\x82 msmistheenemyofthepeople,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n1977,10/30/2020,sick of joebiden pity ads by 2nd wife jillbiden - hypocritical joebiden was cheating with her while jill was still married to her 1st husband the audacity to use his dead wife child and jim's cander for pity in political campaign ads is disgusting realwalkaway hypocrite,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1978,10/30/2020,significant share of biden supporters are anti-trump not pro-biden fox news poll,United States of America,California,CA,Joe Biden,0,-0.6\r\n1979,10/30/2020,since joe biden has no new ideas to address the pandemic he offers himself as a protector a cheerful good fairy who can be trusted to solve all our problems writes david gelernter,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1980,10/30/2020,so is usa a free country or a bible touting country cause you can\xe2\x80\x99t have both. bible tells you how to live life. that seems like the antithesis of freedom. america trump biden vote,United States of America,California,CA,Joe Biden,2,0\r\n1981,10/30/2020,special report what if biden wins  via defenseone icymi election2020 trump biden // re-upping for the final weekend before election day our 4-part series on what to expect in national security foreign policy politics and defense spending.,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1982,10/30/2020,stlnorthsider harris target of more misinformation than pence  kamalaharris election2020 joebiden mikepence trump,United States of America,Missouri,MO,Joe Biden,0,-0.7\r\n1983,10/30/2020,susan collins could have stood up for america. but she didn\xe2\x80\x99t.     bidencoalition greennewdeal republicansforbiden projectlincoln democrat biden demcastca demcast flipitblue,United States of America,California,CA,Joe Biden,0,-0.2\r\n1984,10/30/2020,taylorswift endorses joebiden ad kamalaharris you should too vote,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1985,10/30/2020,thanks to chriscuomo amyklobuchar subsided my nerves briefly miamidade democrats all shady republican federal/state judges and gop suppressors i need a prescribed sedative to sleep. \xf0\x9f\x98\xa9 as much as i want joebiden to win donaldtrump may repeat. vote elections2020,United States of America,New York,NY,Joe Biden,2,0\r\n1986,10/30/2020,the biden agenda eyes on iran,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1987,10/30/2020,the biden camp is on top of things. good look getting madam vp to texas.,United States of America,Missouri,MO,Joe Biden,1,0.8\r\n1988,10/30/2020,the hunterbiden story is not getting as much media attention as it should - but lizmacdonaldfox says it is making a difference in the minds of undecided voters. trump biden 2020election varneyco,United States of America,New York,NY,Joe Biden,2,0\r\n1989,10/30/2020,the markets are sliding in preparation for a post election2020 biden administration that is much less favorable to business growth and the economy.,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n1990,10/30/2020,the rope-a-dope worked for muhammad ali. how do you think it\xe2\x80\x99s working for joe biden vote voteblue votebidenharris,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1991,10/30/2020,the solace in a possible biden win is that the people that voted for them; blacks lgbt low iq people; will be the ones that suffer because of it.,United States of America,Florida,FL,Joe Biden,0,-0.5\r\n1992,10/30/2020,the time is now let\xe2\x80\x99s vote this racist misogynistic bigot out of office and please don\xe2\x80\x99t vote for kanye as a joke a vote for anyone other than joebiden and kamalaharris is a vote for trump vote for hope not fear fdt vote,United States of America,California,CA,Joe Biden,0,-0.9\r\n1993,10/30/2020,thehill brave texans are risking their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1994,10/30/2020,thehill that solidifies my vote for joebiden.  votetrumpout brettfavre flushtheturdnov3rd,United States of America,New York,NY,Joe Biden,1,0.2\r\n1995,10/30/2020,this is a measured reasonable read of the state of the race. in a fair count the underlying fundamentals for biden to kick ass are in place. vote biden election2020,United States of America,California,CA,Joe Biden,1,0.2\r\n1996,10/30/2020,this is crazy .. biden joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n1997,10/30/2020,this is one of the best joebiden if not one of the best call to action type political spots i\xe2\x80\x99ve ever seen.,United States of America,Florida,FL,Joe Biden,1,0.7\r\n1998,10/30/2020,this is one of the funniest biden vids out there \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82\xf0\x9f\x98\x82 joebiden malarkey comeonman  trump2020,United States of America,California,CA,Joe Biden,1,0.9\r\n1999,10/30/2020,this is so accurate \xf0\x9f\xa4\xa3\xf0\x9f\x98\x82 voteblue biden joebiden bidenharris biden2020 democrats vote voteearly,United States of America,New York,NY,Joe Biden,1,0.7\r\n0,10/30/2020,this is the election2020 results biden2020 should get. joebiden gets the states where polls show him ahead and trump gets the toss-up states. lets see if pollsters are correct on electionday,United States of America,New York,NY,Joe Biden,1,0.1\r\n1,10/30/2020,this joebiden story must become the 1 topic at every newspaper and tv network in america,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n2,10/30/2020,this needs to be talked about\xe2\x80\xbc\xef\xb8\x8f donaldtrump joebiden 2020election,United States of America,North Carolina,NC,Joe Biden,0,-0.5\r\n3,10/30/2020,this would be a big priority for our decent biden.,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n4,10/30/2020,titulares de viernes 30 de octubre de 2020 en noticias 23 alamanecer por .univision23 con eileencardet jhernandezu23 karencintrontv claudiaf_onair y javierserrano cuba venezuela colombia elecciones2020\xc2\xa0 joebiden donaldtrump elections2020\xc2\xa0 covid19 halloween2020,United States of America,Florida,FL,Joe Biden,1,0.1\r\n5,10/30/2020,today is my friday day off from virtually volunteering for most democrats until 6pm when i volunteer for joebiden and meet 2 tv stars.,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n6,10/30/2020,tpes morningpoliticalthought gambling wion china pompeo asia blackvote tuckercarlson ups biden minnesota absenteeballots court unitedstates censorship socialism lastonestanding freedom trump2020 maga2020 vote2020 election2020 parler,United States of America,California,CA,Joe Biden,0,-0.5\r\n7,10/30/2020,troll lvl on a million. corruptjoebiden  doesn\xe2\x80\x99t stand a chance. china and russia will be so disappointed when their puppet joebiden loses an electionday,United States of America,California,CA,Joe Biden,0,-0.5\r\n8,10/30/2020,trump is bat shit crazy but biden has dementia. both can be right. ridiculing how biden has the mental horsepower of a potato doesn\xe2\x80\x99t mean i am die hard trump fan. i wish liberals got that. these are the two best options we have in america. embarrassing. biden trump,United States of America,New York,NY,Joe Biden,0,-0.2\r\n9,10/30/2020,trump maga biden redwave,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n10,10/30/2020,trump supporters have lost their morals and minds. covid19 vote bidenharristosaveamerica biden,United States of America,Washington,WA,Joe Biden,0,-0.3\r\n11,10/30/2020,trump vs biden,United States of America,Florida,FL,Joe Biden,2,0\r\n12,10/30/2020,trump's as crooked as the day is long  bostonherald bidenharris2020 iowanatguard ohiostatehoops fox28columbus dispatchalerts nbc4i usps ohio biden pennsylvania michigan arizona,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n13,10/30/2020,trump's chances hinge on a polling screw-up way worse than 2016  via politico trump biden polling campaign election biden2020 gotv turnout voting vote voters,United States of America,New York,NY,Joe Biden,0,-0.8\r\n14,10/30/2020,trump2020landslide fans that 30% annualized 7% quarter to quarter rise is wholly due to caresact. can't keep on printing money. covid19 has to be tamed. wear your mask keep your distance and vote for joebiden.,United States of America,California,CA,Joe Biden,0,-0.2\r\n15,10/30/2020,trunalimunumaprzure. that\xe2\x80\x99s all that\xe2\x80\x99s the tweet. joebiden,United States of America,California,CA,Joe Biden,2,0\r\n16,10/30/2020,unions are now worthless corrupt broken machines meant to funnel votes to political parties and hide organized crime operations. unions may endorse biden but their members who they\xe2\x80\x99ve failed are voting trump this year,United States of America,New York,NY,Joe Biden,0,-0.7\r\n17,10/30/2020,update  wolf said \xe2\x80\x9cscotus may or may not decide to take this up again after the election. a few counties said they won't start counting mail-in ballots until wed. \xe2\x80\x9ci want every one of them starting on electionday\xe2\x80\x9d biden  counteveryvote,United States of America,California,CA,Joe Biden,0,-0.3\r\n18,10/30/2020,volunteer contact your local dem hq. if your state is safely for biden you can still help by making sure dem voters in other states get to the polls. do it. sure antidote to anger and despair. we will win.,United States of America,Nevada,NV,Joe Biden,2,0\r\n19,10/30/2020,votebiden bc it\xe2\x80\x99s right it\xe2\x80\x99s not like you have to change bumper stickers or tell another soul. americaortrump countryoverparty endtrumpnightmare 2020election trumpliesamericansdie ivotedearly voteagainsttrump biden inspirechange voteforourlives enoughisenough,United States of America,Alaska,AK,Joe Biden,1,0.1\r\n20,10/30/2020,voting a fucking distraction \xf0\x9f\x93\xba it\xe2\x80\x99s something bigger going on in the world  stop\xf0\x9f\x99\x85\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f worrying about who the fake ass president  they already pick who they want to be president years in advance \xf0\x9f\x91\x81 donaldtrump joebiden spirtual,United States of America,Florida,FL,Joe Biden,0,-0.9\r\n21,10/30/2020,washingtonpost someone call donaldtrumpjr's coke dealer and get him a kilo for his i'm going to prison and my ass is going to be sore when  biden wins anxiety.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n22,10/30/2020,watching the joebiden rally in st. paul. the guy can hardly put a sentence together even though it's scripted for him. he trips over words with his dentures. cars and squeeze horns constantly honking. gets old joe confused. he is a living train wreck. it's so sad to watch.,United States of America,Wisconsin,WI,Joe Biden,0,-0.4\r\n23,10/30/2020,week 9 college football picks - free ncaaf expert picks from the legend to bet on for saturday 10/31/20  freepicks vegas gamblingtwitter collegefootballpicks fanduel darftkings ncaaf cfb georgia kentucky sec football bettingpicks trump biden,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n24,10/30/2020,well it\xe2\x80\x99s good that tuba-dubas will finally get their pressure mobilized... biden crookedjoebiden bumblingjoe sleepyjoebiden bidencrimesyndicate bobulinski antifablmdomesticterrorists,United States of America,Kansas,KS,Joe Biden,1,0.2\r\n25,10/30/2020,what he say trending  trump biden,United States of America,California,CA,Joe Biden,2,0\r\n26,10/30/2020,when the foxnews rats jump off the trump titanic it's because they know trump is gonna lose in a landslide to joebiden. tucker carlson suddenly says it\xe2\x80\x99s time to leave hunter biden alone  via thedailybeast tuckercarlson hunterbiden bidenharris2020,United States of America,California,CA,Joe Biden,0,-0.7\r\n27,10/30/2020,where biden and trump stand on key issues. this is a great comparison pulled together by reuters vote,United States of America,Florida,FL,Joe Biden,1,0.2\r\n28,10/30/2020,whoever has student loans you better vote for biden and make him remember these promises lol presidentialelection2020 election2020  vote america,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n29,10/30/2020,why does biden never take those dark aviator glasses off what\xe2\x80\x99s he hiding makes him look like a liar; oh wait biden is a liar,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n30,10/30/2020,why don\xe2\x80\x99t we just ask biden the world is wild rn.,United States of America,North Carolina,NC,Joe Biden,0,-0.4\r\n31,10/30/2020,why is joe biden yelling at me joebiden trump2020landslide trump2020,United States of America,Missouri,MO,Joe Biden,0,-0.8\r\n32,10/30/2020,why isn\xe2\x80\x99t jimcarrey\xe2\x80\x99s joebiden impersonation catching on because he\xe2\x80\x99s mocking a person with dementia. regardless of your politics that\xe2\x80\x99s just cruel.,United States of America,California,CA,Joe Biden,0,-0.8\r\n33,10/30/2020,why wasn't it okay for joebiden to come to milwaukee during the dnc yet its okay today,United States of America,Wisconsin,WI,Joe Biden,0,-0.1\r\n34,10/30/2020,yes and president biden will fight for the autoindustry michigan you just need to make it happen voteblue votebidenharris vote for garypeters  garypeters demcastmi,United States of America,New York,NY,Joe Biden,2,0\r\n35,10/30/2020,yes. vote biden texas - bidenharrislandslide2020 bidenharristosaveamerica,United States of America,New York,NY,Joe Biden,1,0.4\r\n36,10/30/2020,you're taking 2016 based precaution too far. speakerpelosi not expressing confidence in biden winning is what would be political malpractice. you can express caution without sounding panicked the latter only playing to the wannabe cheater's game plan. bidenharristosaveamerica,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n37,10/30/2020,\xf0\x9f\x91\x80 at twitter and sees a tweet in spanish under the joebiden account. \xf0\x9f\x98\x82,United States of America,New Jersey,NJ,Joe Biden,2,0\r\n38,10/30/2020,\xf0\x9f\x91\x89 election2020 8 terrifying things you need to know about biden's economic agenda ampfw,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n39,10/30/2020,\xf0\x9f\x98\x8f trump slamming foxnews for not carrying his rallies while they are literally carrying his rally live is just too much. this is the rhetoric that irritates tf outta me dude focus on the economy justice reform &amp; biden record knock off the bs 2020election election2020,United States of America,Oregon,OR,Joe Biden,0,-0.8\r\n40,10/31/2020,biden,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n41,10/31/2020,has everything you need to know unlike 45 joebiden has many plans to undo the mess from the past 4 years.,United States of America,New York,NY,Joe Biden,1,0.8\r\n42,10/31/2020,trump obama joebiden trumplandslidevictory2020,United States of America,New York,NY,Joe Biden,2,0\r\n43,10/31/2020,.leeharvey13 .rhuvane my brother danny wanted to come over 2day to swap out my kitchen screen door for the storm door but i've put everything on hold until after the election. no joke i've done all of my shopping. and i'm not going back to work 'til wednesday. vote biden,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n44,10/31/2020,.valeriejarrett this is the home stretch. we call obama the closer. obviously a very popular former president &amp; uniquely-suited to describe why joebiden with whom he served all 8 years is the perfect leader with running mate senkamalaharris to move our country forward amjoy,United States of America,New York,NY,Joe Biden,1,0.3\r\n45,10/31/2020,11/1/2020- trick or treat election2020 2020election presidentialelection trump biden donaldtrump joebiden trumppence bidenharris,United States of America,Tennessee,TN,Joe Biden,2,0\r\n46,10/31/2020,1a joebiden bidencorruption,United States of America,New York,NY,Joe Biden,1,0.5\r\n47,10/31/2020,1st known h1n1 case was reported on april 15th 2009 and the obama/biden administration made the first order for a vaccine on september 30th 2009 with the first dose being given october 5th 2009. covid19 trumplies,United States of America,Florida,FL,Joe Biden,2,0\r\n48,10/31/2020,a conservative writes \xe2\x80\x9cjoebiden is campaigning in a land filled with fear hatred and apocalyptic thinking. it would be so easy for him to reflect that fear and hate back to voters. that\xe2\x80\x99s what trump does. but biden is not doing that\xe2\x80\x9d,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n49,10/31/2020,a song for joe joebiden,United States of America,New York,NY,Joe Biden,1,0.4\r\n50,10/31/2020,a-freakin-men. votebiden bidenharris2020 biden bidenharris covid19 covid realamericansforjoe,United States of America,New York,NY,Joe Biden,1,0.3\r\n51,10/31/2020,actions speak volumes trump biden trump2020tosaveamerica redwave,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n52,10/31/2020,after networks project biden as winner donaldtrump will scream election fraud. if that doesn't take the gop will pivot to calling for unity and moving forward meaning please don't prosecute us. by january 22 they will be blaming joebiden for the 300k covid19 deaths.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n53,10/31/2020,after this companero biden can\xe2\x80\x99t deny that those he treats right pay him back nicely. joebiden soft on nicolasmaduro &amp; castro wrong for america realdonaldtrump is the one who has imposed sanctions on both castro &amp; maduro he does not cave in to socialists or dictators,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n54,10/31/2020,agree \xf0\x9f\x92\xaf\xf0\x9f\x92\xaf\xf0\x9f\x92\xaf\xf0\x9f\x92\xaf\xf0\x9f\x92\xaf joebiden and jillbiden are both terrible humans if you can even call them human \xf0\x9f\x91\xb9\xf0\x9f\x91\xb9\xf0\x9f\x91\xb9\xf0\x9f\x91\xb9,United States of America,Missouri,MO,Joe Biden,0,-0.6\r\n55,10/31/2020,america the land of opportunity...where even former sex models and escorts can become flotus - we deserve better votebluetoendthenightmare biden bidenharris,United States of America,New York,NY,Joe Biden,0,-0.5\r\n56,10/31/2020,america2020 ironia biden su campagna in cantina stigmatizzata da trump . masechi,United States of America,Texas,TX,Joe Biden,2,0\r\n57,10/31/2020,angie_keathly biden_army alwayselpida thankful4biden columbia4biden wonderking82 believers4biden californiabeto mmpadellan brindlepooch mollyjongfast steelerschic_85 real_chatty_cat kylegriffin1 mk_indy sehzadesoroush kerryfjacob jamesrossrjames wtpbiden biden,United States of America,California,CA,Joe Biden,1,0.3\r\n58,10/31/2020,apparently this supports the shytrumpvoter myth... never mind that they control the whitegangs/brownshirts they call militias. hint real minutemen wouldn't support a dictator. ashamed to vote trump then vote for biden republicansforbiden,United States of America,Colorado,CO,Joe Biden,0,-0.8\r\n59,10/31/2020,barack got booty. \xf0\x9f\x8d\x91 vote biden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n60,10/31/2020,barackobama says we can go about our life without having to worry about what the president is doing when joebiden and kamalaharris are in office amen sign me up for that votebidenharris msnbc,United States of America,Michigan,MI,Joe Biden,2,0\r\n61,10/31/2020,biden,United States of America,Colorado,CO,Joe Biden,1,0.3\r\n62,10/31/2020,biden,United States of America,Colorado,CO,Joe Biden,1,0.3\r\n63,10/31/2020,biden,United States of America,New York,NY,Joe Biden,1,0.3\r\n64,10/31/2020,biden &amp; obama together on one stage is only minutes away \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,New York,NY,Joe Biden,1,0.2\r\n65,10/31/2020,biden and media cover up.,United States of America,California,CA,Joe Biden,0,-0.2\r\n66,10/31/2020,biden hunter 2020election trump redwave,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n67,10/31/2020,biden hunter bidenharris trump redwave2020,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n68,10/31/2020,biden joebiden lockdownsmakeitworse lockdown democrats democrat changeyourvote walkaway walkawayfromdemocrats democratshateamerica democratsfortrump bidenlies bidenliesmatter backtheblue bluelivesmatter maga trump trump2020 lilwayne democratsareracists,United States of America,Arizona,AZ,Joe Biden,0,-0.2\r\n69,10/31/2020,biden just recently said he was a proud democrat running for senate and thought his opponent was george. yeah go ahead please waste your vote,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n70,10/31/2020,biden kamalaharris mistake jobs are rarely a source of pride romantic bs they're a dire source of income. most voters in the us work their jobs strictly for the paycheck. to link jobcreation with pride creation for americans is selling lipstick on a pig. it's a con.,United States of America,California,CA,Joe Biden,0,-0.6\r\n71,10/31/2020,biden or trump,United States of America,Georgia,GA,Joe Biden,0,-0.1\r\n72,10/31/2020,biden spent 4 decades trying to divide us,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n73,10/31/2020,biden using his dead son beau to try to win an election is beyond despicable  trumppence 2020  lower than low...,United States of America,Missouri,MO,Joe Biden,0,-0.8\r\n74,10/31/2020,biden won\xe2\x80\x99t win cocky leftist should remember 2016,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n75,10/31/2020,bidenharris2020 biden let\xe2\x80\x99s do this,United States of America,Washington,WA,Joe Biden,1,0.1\r\n76,10/31/2020,bidenharris2020 joebiden dumptrump votebluetoendthenightmare,United States of America,California,CA,Joe Biden,1,0.3\r\n77,10/31/2020,bidenharristosaveamerica bidenharris2020 ridinwithbiden joebiden joebidenforamerica,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n78,10/31/2020,brave texans risked their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n79,10/31/2020,brave texans risked their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n80,10/31/2020,bruce springsteen narrates new biden ad about hometown of scranton,United States of America,California,CA,Joe Biden,2,0\r\n81,10/31/2020,catch me on a special edition of americanewsroom w sandrasmithfox &amp; tracegallagher talking floridaearlyvoting biden trump elections2020 130pme,United States of America,California,CA,Joe Biden,2,0\r\n82,10/31/2020,charles darwin virtualcomfortdog with a tip. you\xe2\x80\x99ll have comfort &amp; joy again with joebiden as president. he\xe2\x80\x99s experienced understands public health &amp; wants to do the job. voteearly votebluetoendthenightmare this is the most important election of our lifetime thank you.\xe2\x9d\xa4\xef\xb8\x8f,United States of America,Massachusetts,MA,Joe Biden,1,0.5\r\n83,10/31/2020,charliekirk11 what happened to being the president for all americans biden will say or do anything for a vote it\xe2\x80\x99s all he knows he been a swamp politician for 47 years,United States of America,New York,NY,Joe Biden,0,-0.7\r\n84,10/31/2020,check out final 2020 presidential debate special coverage on blaze tv  you might be able to rewatch or watch for the first time the final presidenttrump joebiden 2020 presidential debate... presidentialdebate2020,United States of America,California,CA,Joe Biden,2,0\r\n85,10/31/2020,check out progressives for joebiden's video tiktok,United States of America,Texas,TX,Joe Biden,2,0\r\n86,10/31/2020,coran may be young but he is a gamer and wants to win illini can get behind that   purdont is on the retreat king of like biden,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n87,10/31/2020,corcorangroup dear resist group let twitter do the thing / deplorable guy destroying signs and threading a biden supporter.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n88,10/31/2020,current situaysh in my front yard resist bidenharris2020 biden,United States of America,California,CA,Joe Biden,1,0.2\r\n89,10/31/2020,dathargrove1 well let's see obama's not running and neither is jimmy or bill or fdr or honest abe but hey  joebiden is and he's about to be one of my all-time favorite presidents so i'm good,United States of America,Texas,TX,Joe Biden,1,0.6\r\n90,10/31/2020,ddale8 he\xe2\x80\x99s jealous that biden is fit and he is an obese junk food fiend who can\xe2\x80\x99t climb a flight of stairs,United States of America,Pennsylvania,PA,Joe Biden,0,-0.7\r\n91,10/31/2020,dear florida gop voters this man is a scott appointee and he is endorsing joebiden. that should tell you something. votebluedowntheballot vote voteearly bidenharris2020,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n92,10/31/2020,decency civility and empathy. you either have it or you don't. joebiden has it\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n93,10/31/2020,delpercios onetoughnerd rsandis4biden joes coalition needs 1million cars to honkforjoe 7pm sat-election eve honor essential workers and america.  honk horns 1min silence 30secs then 1honk. deafen trumps lies lincolnproject biden rvat2020  retweet resisters  joe is joy peace&amp;resolve walkinconcierge harris,United States of America,Washington,WA,Joe Biden,2,0\r\n94,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n95,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n96,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n97,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n98,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n99,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n100,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n101,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n102,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n103,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n104,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n105,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n106,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n107,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n108,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n109,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n110,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n111,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n112,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n113,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n114,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n115,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n116,10/31/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1.,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n117,10/31/2020,democrats on edge as biden-trump fight nears end thehill,United States of America,Texas,TX,Joe Biden,1,0.1\r\n118,10/31/2020,dineshdsouza ah joebiden must not be polling well on his promise to \xe2\x80\x9cshut it down shut it all down.\xe2\x80\x9d,United States of America,Colorado,CO,Joe Biden,0,-0.8\r\n119,10/31/2020,does anybody believe these trump adds warning of biden socialist agenda i'm all for a socialist agenda and i don't believe these adds,United States of America,Nevada,NV,Joe Biden,0,-0.8\r\n120,10/31/2020,does obama and biden even have 30 people at their flint rally obama announces biden 3 times and silences silence silence.... bidensilentrally,United States of America,Ohio,OH,Joe Biden,2,0\r\n121,10/31/2020,donaldtrump is running a political ad accusing joebiden of lying. lying ain't that the pot trying to call anyone else a pot. election2020 senkamalaharris,United States of America,Michigan,MI,Joe Biden,0,-0.4\r\n122,10/31/2020,donwinslow freddyatton got my vote in early for biden and voteblue down the ballot.,United States of America,Texas,TX,Joe Biden,1,0.5\r\n123,10/31/2020,don\xe2\x80\x99t boo vote dontboovote bidenharrislandslide2020 blacklivesmatter vote joebiden kamalaharris 2020election,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n124,10/31/2020,eddiiiiiiie_ president joe biden sounds like a win joebiden votebidenharris2020,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n125,10/31/2020,eeeeek so much anxiety this halloween maybe some roasted pumpkin seeds and hot apple cider with whisky will help. joebiden,United States of America,Oregon,OR,Joe Biden,1,0.2\r\n126,10/31/2020,election day is almost here \xf0\x9f\x97\xb3 who do you think will win on november 3 2020 joebiden donaldtrump jojorgensen other election2020 electionday,United States of America,California,CA,Joe Biden,2,0\r\n127,10/31/2020,election official just walked the line to check on everyone. appreciate that she said line is shorter now than it was two hours ago turn out that vote people bluewave2020 bidenharris2020 joebiden vote voteearly,United States of America,Missouri,MO,Joe Biden,0,-0.1\r\n128,10/31/2020,everybody who knows how please document this right now. don\xe2\x80\x99t let it disappear. biden biden2020 joebiden bidenharris bidenharris,United States of America,Oregon,OR,Joe Biden,0,-0.1\r\n129,10/31/2020,faltan  dias para la eleccion2020 trump vs biden todo el analisis por la radio 920 am votolatino,United States of America,Texas,TX,Joe Biden,2,0\r\n130,10/31/2020,faltan  dias para la eleccion2020 trump vs biden todo el analisis por la radio 920 am votolatino,United States of America,Texas,TX,Joe Biden,2,0\r\n131,10/31/2020,for all of us in the coal industry former president obama campaigning with joebiden could spell doom for all energy producers if you are trying to read the tea leaves. rmcmi coalcountry,United States of America,Colorado,CO,Joe Biden,0,-0.1\r\n132,10/31/2020,franklin_graham potus joebiden i trust the guy who actually prays and goes to church. biden,United States of America,Washington,WA,Joe Biden,1,0.4\r\n133,10/31/2020,frankluntz jmclghln i don't know if i believe that either but i know i don't believe the polls touting biden leading in all of them either including the rest of the country the best and most accurate poll will occur after election day. \xf0\x9f\x91\x8d,United States of America,New York,NY,Joe Biden,2,0\r\n134,10/31/2020,french terror attacks are a stark warning to us voters. trump biden democrats landp1776 libertyandprosperity,United States of America,New Jersey,NJ,Joe Biden,0,-0.3\r\n135,10/31/2020,get it girl. i'm there in spirit. much love - k c_a_crockett gotv gotv2020 obama biden,United States of America,District of Columbia,DC,Joe Biden,1,0.5\r\n136,10/31/2020,ghostgmason bradhuston redistrict ah check that i see your mo - you take all your candidate\xe2\x80\x99s own qualities and entirely project them on democrats. pretty typical doesn\xe2\x80\x99t mean trump won\xe2\x80\x99t win but not worth a discussion. does trump have any flaws in your mind biden has plenty for me tho my support is 100%,United States of America,New York,NY,Joe Biden,2,0\r\n137,10/31/2020,glenngreenwald says mainstream media is 'desperate to see' trump lose. when a journalist quits \xe2\x81\xa6theintercept\xe2\x81\xa9 a publication he founded because he feels the editors are covering up hunterbiden case to help biden win attention must be paid.,United States of America,California,CA,Joe Biden,0,-0.3\r\n138,10/31/2020,gnuman1979 i\xe2\x80\x99ll jump into the nearest lake here in va biden texasforbiden texasblue voteblue bluewave,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n139,10/31/2020,gopchairwoman realdonaldtrump didn\xe2\x80\x99t he give you covid  and biden  isn\xe2\x80\x99t planning to tax everyone. bottom line is lies,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n140,10/31/2020,gregkellyusa barackobama this is what obama and biden did for flint,United States of America,New York,NY,Joe Biden,1,0.2\r\n141,10/31/2020,ha ha teamtrump.  vote joebiden,United States of America,New York,NY,Joe Biden,1,0.2\r\n142,10/31/2020,happy halloween\xef\xbf\xbc vote voteblue votebluetosaveamerica bidenharris2020 joebiden kamalaharris \xf0\x9f\xa7\x99\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\x8e\x83\xf0\x9f\x92\x99\xf0\x9f\x8e\x83\xf0\x9f\xa7\x99\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,Florida,FL,Joe Biden,1,0.8\r\n143,10/31/2020,happyhalloween family maleficent joebiden kamalaharris,United States of America,Georgia,GA,Joe Biden,1,0.2\r\n144,10/31/2020,he did it again \xf0\x9f\x99\x88 biden,United States of America,Florida,FL,Joe Biden,1,0.3\r\n145,10/31/2020,he is preaaachinnnnn joebiden,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n146,10/31/2020,help biden trump,United States of America,California,CA,Joe Biden,0,-0.2\r\n147,10/31/2020,hey trump supporters shame on you for laughing and cackling like immature fools when he makes fun of biden\xe2\x80\x99s sunglasses. no wonder he lies to you and treats you like idiots. you let him. because you expect so little from him...,United States of America,New York,NY,Joe Biden,0,-0.7\r\n148,10/31/2020,history has its eyes on you\xe2\xad\x90\xef\xb8\x8f halloween hamilton hamiltonmusical bidenharris2020 joebiden vote,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n149,10/31/2020,how hunter biden laptop text messages and emails became a major campaign issue,United States of America,Maryland,MD,Joe Biden,0,-0.7\r\n150,10/31/2020,hunter biden viewed as pipeline to obama administration by former associates seamus bruner breaks more new info. on the corruption and deceit of the bidencrimesyndicate joebiden and hunterbiden for jail,United States of America,New York,NY,Joe Biden,0,-0.5\r\n151,10/31/2020,i give virtual honking for joebiden we are ready for change goblue elections2020 everyvotecounts bidenharris,United States of America,Nevada,NV,Joe Biden,2,0\r\n152,10/31/2020,i just convinced an undecided wi voter to vote for biden. this is a high like no other.,United States of America,Minnesota,MN,Joe Biden,1,0.1\r\n153,10/31/2020,i just read an old fb post about my insurance going up 400% due to the aca. all my lib friends agreed it was terrible. they are all voting for biden. short memories. election2020 joebiden votetrump2020,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n154,10/31/2020,i remember \xe2\x80\x9894 and so do all my boys fuck biden blacklivesmatter blacktwittermovement blacktwitter  walkawayfromdemocrats,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n155,10/31/2020,i voted i cast my ballot in the least surprising but most satisfying way possible. joebiden joebiden vote2020,United States of America,Illinois,IL,Joe Biden,1,0.6\r\n156,10/31/2020,i'm looking for a trump supporter and a biden supporter to guest host a live election special this tuesday at 8pm mountain time / 10pm est,United States of America,Arizona,AZ,Joe Biden,2,0\r\n157,10/31/2020,iambrig i hope the biden campaign gets the license plates of these terrorists and sues them for endangerment.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n158,10/31/2020,if a meteor is striking on electionday then why vote 2020election 2020elections vote election2020 nyc trump biden saturdaymorning saturdaythoughts,United States of America,New York,NY,Joe Biden,0,-0.2\r\n159,10/31/2020,if biden wins the 2020 presidential election he may have suburban women to thank,United States of America,New York,NY,Joe Biden,1,0.1\r\n160,10/31/2020,if trump wins  this will be us. the republicans have already set up the courts to overturn or rule on higher restrictions for roe v wade. vote biden before you gotta get your marching boots on,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n161,10/31/2020,if you haven't listened to this yet please do. powerful. vote trump out. vote every republican out. biden,United States of America,California,CA,Joe Biden,1,0.3\r\n162,10/31/2020,if your kid comes on my doorstep looking like realdonaldtrump i will slap the motherfucker but if your kid looks like joebiden or kamalaharris then your kid gets a full size candy bar happyhalloween halloween2020 joebiden kamalaharris donaldtrump,United States of America,New Mexico,NM,Joe Biden,1,0.3\r\n163,10/31/2020,if you\xe2\x80\x99re voting for byedon instead of biden you\xe2\x80\x99ve been successfully duped. if you\xe2\x80\x99re voting for biden because he inspires you then you\xe2\x80\x99re likely inspired by things like waiting in line at the supermarket hearing about  other people\xe2\x80\x99s dreams ed sheeran and traffic.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n164,10/31/2020,indeed they do biden,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n165,10/31/2020,is this the best democrats can do... joebiden   votetrump2020tosaveamerica,United States of America,Florida,FL,Joe Biden,1,0.6\r\n166,10/31/2020,it has already started. don\xe2\x80\x99t give up. watch out for each other. don\xe2\x80\x99t get discouraged. make a plan to vote in person. bring a chair snacks water. do not give them an excuse to throw it out. 2020elections vote votehimout bidenharris2020 biden makeaplantovote bidenharris,United States of America,California,CA,Joe Biden,2,0\r\n167,10/31/2020,it's saturday october 31 2020 and joe biden is the centerpiece of the biggest political scandal in modern history.  hunterbidenslaptop should dissuade anyone from voting for corrupt joe.  joebiden,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n168,10/31/2020,i\xe2\x80\x99m amazed that biden\xe2\x80\x99s campaign is based almost solely on the virus. there are at least five other countries that have a higher death rate than the us. look at europe now. they are spiking again just like we are but i guess that\xe2\x80\x99s trump\xe2\x80\x99s fault also.,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n169,10/31/2020,i\xe2\x80\x99m from the z joebiden,United States of America,Colorado,CO,Joe Biden,2,0\r\n170,10/31/2020,i\xe2\x80\x99m voting for biden but when will he ever speak this kind of truth to power. your move joe   irs oh how much did trump pay  $750  $79m refund,United States of America,California,CA,Joe Biden,0,-0.5\r\n171,10/31/2020,james woods fired his agent upon learning \xe2\x80\x93 after the movie was shot \xe2\x80\x93 that quentin tarantino wanted him for a part in\xc2\xa0reservoir dogs.model mekap trumphascovid joebiden movie,United States of America,New York,NY,Joe Biden,0,-0.1\r\n172,10/31/2020,jeremyscahill  it really appears that you are the supreme brown-noser to biden i am now burning your books i have plenty  your objectivity is like cnn non-existent. sad...but not un-expected. trumpderangementsyndrome is contagious amongst snowflakes.,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n173,10/31/2020,jimmyvaccaro what about if they offered a free deep dish from a joint called amores and the hosts were jocko and rockin\xe2\x80\x99 randy from sha na na  trump2020 biden yowzer yowzer election2020,United States of America,Texas,TX,Joe Biden,1,0.2\r\n174,10/31/2020,joebiden,United States of America,Minnesota,MN,Joe Biden,1,0.3\r\n175,10/31/2020,joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n176,10/31/2020,joebiden  is someone arts leaders say has always embraced the practical usefulness of the arts as an economic engine political action trigger and community builder. saturdaythoughts  art culture classicalmusic,United States of America,Illinois,IL,Joe Biden,1,0.6\r\n177,10/31/2020,joebiden 2015,United States of America,California,CA,Joe Biden,1,0.1\r\n178,10/31/2020,joebiden 2020election election2020 joebidencorruption,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n179,10/31/2020,joebiden his only message for america i'm going to raise taxes end fracking cut social security and i hate trump. there's absolutely nothing about biden's campaign that will benefit this country. wake up people  realdonaldtrump potus kamalaharris thedemocrats joebiden,United States of America,California,CA,Joe Biden,0,-0.7\r\n180,10/31/2020,joebiden is,United States of America,New York,NY,Joe Biden,2,0\r\n181,10/31/2020,joebiden is a wildddd boy hilarious. did he say he was gonna wrap the chain around dude\xe2\x80\x99s neck the dude named \xe2\x80\x9ccorn pop\xe2\x80\x9d hahahahaa joebiden hidenbiden,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n182,10/31/2020,joebiden is always yelling &amp; screaming. does he not realize he has a microphone also the i refuse to postpone is stupid. doesn't work as a slogan or even a good one-liner.,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n183,10/31/2020,joebiden is the is the real life caricature that the media &amp; democrats try to use as the image of realdonaldtrump,United States of America,Nevada,NV,Joe Biden,0,-0.2\r\n184,10/31/2020,joebiden joebiden2020,United States of America,Florida,FL,Joe Biden,1,0.3\r\n185,10/31/2020,joebiden kamalaharris,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n186,10/31/2020,joebiden kamalaharris mistake your campaign  speeches always speak to the heralded american family but you leave out millions of citizens that have neither a spouse nor children. you would do well to acknowledge these voters and their particular needs.,United States of America,California,CA,Joe Biden,0,-0.4\r\n187,10/31/2020,joebiden liar corrupt politician,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n188,10/31/2020,joebiden my daughter turns 9 today and i told her we had a surprise coming this evening and the first thing she said is it joe biden is he coming just thought you'd like to hear that sir. happy halloween joebiden birthdaywishes 2020election,United States of America,Texas,TX,Joe Biden,1,0.3\r\n189,10/31/2020,joebiden the real hoax is your 47 year career in politics vote trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 joebiden americafirst trump2020 trump2020landslide bidenharris2020 usa vote,United States of America,New York,NY,Joe Biden,0,-0.7\r\n190,10/31/2020,joebiden thedemocrats cnn cnnbrk nbcnews cbsnews abc,United States of America,Florida,FL,Joe Biden,1,0.3\r\n191,10/31/2020,joebiden today,United States of America,California,CA,Joe Biden,2,0\r\n192,10/31/2020,joebiden wear a total leather masker with zipper month ; so no one can hear or see you better still go back in the basement \xf0\x9f\x98\xb3\xf0\x9f\x91\x8e\xf0\x9f\x91\x8e\xf0\x9f\x91\x8e\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Florida,FL,Joe Biden,2,0\r\n193,10/31/2020,johnleguizamo john i am a dem who voted green in 2000. today i learned that joebiden threatened countries that would have given shelter to edward snowden who showed true patriotism in light of us crimes. i won\xe2\x80\x99t vote for trump but how can i \xf0\x9f\x97\xb3for biden knowing thissnowden ggreenwald,United States of America,New York,NY,Joe Biden,0,-0.2\r\n194,10/31/2020,johnnyjet petebuttigieg he deserves great things in his future. i hope he has an important role in the biden administration. petebuttigieg joebiden,United States of America,Nevada,NV,Joe Biden,1,0.4\r\n195,10/31/2020,jojofromjerz \xf0\x9f\x91\x85 hypocrite joebiden,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n196,10/31/2020,jon_folse boweadroit joebiden  may talk like an idiot and look like an idiot. but don't let that fool you. he really is an idiot.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.9\r\n197,10/31/2020,kamala harris joe biden and i are about to work to get rid of tax cut  via breitbartnews,United States of America,California,CA,Joe Biden,2,0\r\n198,10/31/2020,kayleighmcenany we are voting for biden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Maryland,MD,Joe Biden,2,0\r\n199,10/31/2020,keep 'talking' joebiden  corruptjoebiden bidencrimefamiiy hunterbidenslaptop,United States of America,Colorado,CO,Joe Biden,2,0\r\n200,10/31/2020,let's finish this  trump biden trump2020tosaveamerica redwave2020,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n201,10/31/2020,let's see-we have 1 guy who wants to help us who can help who will act to shut it down. we have another  saying nah we're not going to stop virus. many say to 1st-ok pls shut it down. others nah like 2nd we'll watch eachother die. others say what virus nobrainer biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.6\r\n202,10/31/2020,lindyli give my love to your daddy. he's adorable &amp; obviously a smart guy probably around my age. i'm glad he can see that biden isn't the violent radical anarchist suburb-stomper trump paints him to be. votebluetoendthenightmare,United States of America,Texas,TX,Joe Biden,1,0.6\r\n203,10/31/2020,lisabuentello ericcervini only a biden supporter would twist this into something it\xe2\x80\x99s not. they all lie and biden is the biggest liar of all.,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n204,10/31/2020,lm31356 waltshaub because he\xe2\x80\x99s not. biden is the one taking social security and obama already took my healthcare trumps just giving it back kag why you trying to let illegals kill us citizens with openborders,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n205,10/31/2020,lockdown2 lockdown joebiden is preparing to lockdown again because europe is doing it,United States of America,Minnesota,MN,Joe Biden,0,-0.7\r\n206,10/31/2020,looking at the candidates joebiden is the only choice if you agree with pope francis' statement - as we all should,United States of America,New York,NY,Joe Biden,2,0\r\n207,10/31/2020,love it joebiden joebiden,United States of America,California,CA,Joe Biden,1,0.9\r\n208,10/31/2020,many prayersarecontinuingtogoup nevertheless we all need to vote for change choose life over death choose joebiden over donaldtrump joebiden has a real plan to deal with the covid19pandemic trump has no plan at all votejoebidenandkamalaharris2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n209,10/31/2020,markhigbee realdonaldtrump mark you sound like you've been down in the basement while joebiden has been crisscrossing the country giving socially distanced rallies. maybe you should come up occasionally and see what's really going on,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n210,10/31/2020,meanwhile barackobama is in flint michigan facing a parking lot where he helped to cover up poison water. we cannot find sleepy joebiden speaking anywhere. election2020,United States of America,New York,NY,Joe Biden,2,0\r\n211,10/31/2020,michaelsteele how awesome would it be and profound if president george w. bush43 georgewbush thebushcenter endorsed biden before electionday republicansforbiden texas florida flipthesenate michigan pennsylvania georgia northcarolina bidenharris2020 ohio arizona nevada genz,United States of America,Texas,TX,Joe Biden,1,0.5\r\n212,10/31/2020,mojavemamma foxnews realjameswoods ingrahamangle realdonaldtrump joebiden socialism will stop the momentum of these unitedstatesofamerica,United States of America,California,CA,Joe Biden,0,-0.7\r\n213,10/31/2020,mollyjongfast voguemagazine molly i am a dem who voted green in 2000. today i learned that joebiden threatened countries that would have given shelter to edward snowden who showed true patriotism in light of us crimes. i won\xe2\x80\x99t vote for trump but how can i \xf0\x9f\x97\xb3for biden knowing thissnowden ggreenwald,United States of America,New York,NY,Joe Biden,0,-0.2\r\n214,10/31/2020,my final election predictions biden at 306 is my official prediction. biden at 395 is his most likely best case scenario and trump at 306 is his most likely best case scenario. what do you think am i crazy a genius both uselections2020 cnnpolitics,United States of America,Oklahoma,OK,Joe Biden,1,0.3\r\n215,10/31/2020,nat\xe2\x80\x99l comm of asian american republicans endorse joebidenfollow your conscience save america - press release -,United States of America,California,CA,Joe Biden,0,-0.1\r\n216,10/31/2020,neither the left nor the right wants you to know this but exit polls will show jews voting for joebiden in higher proportions than latinos. politicsisntsosimple,United States of America,New York,NY,Joe Biden,0,-0.1\r\n217,10/31/2020,newyorker circlereader ronanfarrow and still silence on the biden corruption scandals let\xe2\x80\x99s look everywhere else for official misbehavior until tuesday right when are we supposed to act shocked about biden\xe2\x80\x99s actual senate record &amp; long history of causal legalized bribery settle4biden to dumptrump = silence,United States of America,California,CA,Joe Biden,0,-0.7\r\n218,10/31/2020,no cops as trump people try to run biden bus off the texas highway fbi anyone,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n219,10/31/2020,noisy trump supporters get under biden's skin at drive-in rally uglyfolks trump2020landslide trump2020 vote \xe2\x9c\x8c\xef\xb8\x8f,United States of America,New York,NY,Joe Biden,0,-0.8\r\n220,10/31/2020,normornstein edwardgluce on podcastwill america tear itself apart even if it's a smooth biden victory a right-wing court systen undermines democray &amp; there' s trouble ahead in a slow-burn constitutional crisis. jamesfallows,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n221,10/31/2020,notmypresident bluewave2020 theresistance flipitblue antitrump unfitforoffice   ruleoflaw deathofdemocracy joebiden2020 joe2020 joebiden bidenharris2020 trumpiscompromised covid covid19 coronavirusupdates,United States of America,New York,NY,Joe Biden,1,0.4\r\n222,10/31/2020,notmypresident bluewave2020 theresistance flipitblue antitrump unfitforoffice   ruleoflaw deathofdemocracy joebiden2020 joe2020 joebiden bidenharris2020 trumpiscompromised peacefulprotest peacefulprotesters,United States of America,New York,NY,Joe Biden,1,0.4\r\n223,10/31/2020,obama\xe2\x80\x99s on fire watch then go to honkforjoe and join 1 mil cars across this land. 7pm sat-electioneve 1. honk for 1min 2. silence for 30 secs 3. 1 honk joy-peace-resolve that\xe2\x80\x99s joe. that\xe2\x80\x99s america  bidenharris2020  biden  bidenharristosaveamerica  rvat2020 retweet resist,United States of America,Washington,WA,Joe Biden,2,0\r\n224,10/31/2020,officialmcafee john i am a dem who voted green in 2000. today i learned that joebiden threatened countries that would have given shelter to edward snowden who showed true patriotism in light of us crimes. i won\xe2\x80\x99t vote for trump but how can i \xf0\x9f\x97\xb3for biden knowing thissnowden ggreenwald,United States of America,New York,NY,Joe Biden,0,-0.2\r\n225,10/31/2020,one holds rallies in spite of coronaviruspandemic freezing cold temps &amp; debilitating heat while violent maga supporters cause biden rally to be cancelled. once again proof of who actually cares about this country and its people. votebluetoendthenightmare votebidenharris,United States of America,New York,NY,Joe Biden,2,0\r\n226,10/31/2020,other countries are running this story about hunterbiden but ironically not in the us hunterbidenlaptop hunterbidenslaptop hunterbidenemails hunterbidensemails joebiden msn mainstreammedia censorship twittercensorship,United States of America,California,CA,Joe Biden,0,-0.7\r\n227,10/31/2020,ozrestored biden bidencorruption whereishunterbiden,United States of America,Florida,FL,Joe Biden,1,0.3\r\n228,10/31/2020,potus vp presssec mcconnellpress senatemajldr sentedcruz whitehouse berniesanders randpaul donaldtrump joebiden foxnews chrismurphyct americafirst,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n229,10/31/2020,president guess they think  biden will croak or won\xe2\x80\x99t come out of his basement,United States of America,New York,NY,Joe Biden,0,-0.7\r\n230,10/31/2020,props to today\xe2\x80\x99s clever  joebiden twitter intern even though last-minute crowds exceeding 50 just remind us of the sparseness of previous \xe2\x80\x9cevents.\xe2\x80\x9d,United States of America,Texas,TX,Joe Biden,1,0.4\r\n231,10/31/2020,rasselas_ hey next 4 mos are baked in. inauguration is jan 20. you know transition will be a fiasco and current admin will do nothing positive on covid19. when biden starts tackling issue it\xe2\x80\x99ll take wks-mos of implementation ramp up.  so the winter viral season gonna do what it will.,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n232,10/31/2020,realdonaldtrump ***repeat after me asshole biden won't abolish american energy...we are switching to a more cost environmental effective futuristic energy**** of course you don't know about science dumptrump2020 votethemout,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n233,10/31/2020,realdonaldtrump america needs biden votebluetoendthenightmare biden kamalaharris \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Maryland,MD,Joe Biden,0,-0.2\r\n234,10/31/2020,realdonaldtrump bidenharris2020 biden bidenharrislandslide2020 bidenharristosaveamerica bidencares trumpcrimefamily trumpisalaughingstock,United States of America,Illinois,IL,Joe Biden,1,0.4\r\n235,10/31/2020,realdonaldtrump golly i wish you would have made your plea before i voted for biden,United States of America,Georgia,GA,Joe Biden,0,-0.4\r\n236,10/31/2020,realdonaldtrump hossein muslim obama in this to cash out he doesn't care about biden and/or election potus,United States of America,California,CA,Joe Biden,0,-0.8\r\n237,10/31/2020,realdonaldtrump i hope biden appoints president obama to scotus  he respects &amp; understands the constitution barrett couldn\xe2\x80\x99t even completely state what the first amendment covered and you can\xe2\x80\x99t even spell constitution without spellcheck \xf0\x9f\xa4\xa3,United States of America,California,CA,Joe Biden,2,0\r\n238,10/31/2020,realdonaldtrump joebiden and senkamalaharris will do just that it\xe2\x80\x99s over bunkerboytrump joebiden bidenharris2020 bidenharristosaveamerica bidenharrislandslide,United States of America,Florida,FL,Joe Biden,2,0\r\n239,10/31/2020,realdonaldtrump joebiden who is going to win the election biden 4moreyears americafirst biden2020 blackvoicesfortrump,United States of America,Louisiana,LA,Joe Biden,2,0\r\n240,10/31/2020,realdonaldtrump that didn't work the first 4 years but pretty sure joebiden will fix that when he wins lol. \xf0\x9f\x98\x81,United States of America,New York,NY,Joe Biden,1,0.3\r\n241,10/31/2020,realdonaldtrump the guy who is is president now sure has ruined america.  so yes.   i agree biden and the bluewave will need to make it great.,United States of America,New York,NY,Joe Biden,2,0\r\n242,10/31/2020,realdonaldtrump the president is absolutely correct. if you make more than $400k you will finally be paying your fair share. what trump will not tell you is that anyone making less than that will not have a tax increase. vote biden,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n243,10/31/2020,realdonaldtrump the world switched from coal powered trains to energy trains...and that's is a billions of dollar industry....its the same thing when you switch from oil powered industry to electric/ solar and renewable energy idiot votehimout biden,United States of America,Nevada,NV,Joe Biden,0,-0.8\r\n244,10/31/2020,realjameswoods lindasuhler wilmington we have a problem. biden,United States of America,South Carolina,SC,Joe Biden,0,-0.1\r\n245,10/31/2020,reason obama made biden vp \xe2\x80\x9ci need a stupid guy i can control\xe2\x80\x9d proves obama \xe2\x80\x9cjoe can fuck it up\xe2\x80\x9d,United States of America,Massachusetts,MA,Joe Biden,0,-0.9\r\n246,10/31/2020,remember when maga and realdonaldtrump kept screaming antifa where's are all their tweets condemning armed trump supporters threatening biden's campaign,United States of America,Tennessee,TN,Joe Biden,0,-0.8\r\n247,10/31/2020,repsforbiden any republican who supports joebiden &amp; the extremism he had to agree to in order to secure the nomination has no idea what republic even means &amp; is anathema to liberty. no one would know who flakey is if he didn't hate our president. there are no republicans for biden.,United States of America,Missouri,MO,Joe Biden,0,-0.8\r\n248,10/31/2020,rongopvet4biden juliet_notromeo as someone named donald i think the name should be permanently retired on november 3 2020. ivotedbidenharris ridinwithbiden  joebiden,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n249,10/31/2020,rounding the corner orange boy realdonaldtrump i don\xe2\x80\x99t think so .....are you trying to kill us all with you superspreader rallies...change is coming and joebiden  and kamalaharris is that change dumptrump joebiden biden2020 bidenharris,United States of America,Tennessee,TN,Joe Biden,0,-0.8\r\n250,10/31/2020,rumpfshaker mediaite i\xe2\x80\x99m not a biden harris voter. but i am horrified by this incident. for me these terroristic images and reports call to mind the attack on the freedomriders in anniston alabama in 1961. unacceptable and unamerican violence and intimidation. trump must denounce this.,United States of America,Alabama,AL,Joe Biden,0,-0.6\r\n251,10/31/2020,salty joebiden is my favorite joe biden basementbiden votebluetoendthenightmare,United States of America,Michigan,MI,Joe Biden,1,0.8\r\n252,10/31/2020,samstein if joebiden loses texas and the race to trump because of this bs the republicans will have yet stolen another election though the courts teamjoe must not concede he must not do what algore did 20 years ago everyvotecounts,United States of America,Georgia,GA,Joe Biden,0,-0.8\r\n253,10/31/2020,saw this when i was picking up my coffee at panera this morning. vote earlyvote 2020elections earlyvoting joebiden,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n254,10/31/2020,scottdetrow diary of a radio junkie 1806 days of waking up to the news kenosha kylerittenhouse whitesupremacism trump biden pence kamalaharris coronavirus covid19 covid_19 earthquake turkeyearthquake izmirearthquake greece turkey aegeanearthquake painting art,United States of America,New York,NY,Joe Biden,0,-0.2\r\n255,10/31/2020,scottfishman paul pelosi jr. worked for an energy company viscoil.  hunter biden sat on the board of energy company burisma.  i wonder why nancy and joe want to end oil and fossil fuels in this country open your eyes it\xe2\x80\x99s right in front of your face pelosi biden theswamp corruption,United States of America,New York,NY,Joe Biden,0,-0.2\r\n256,10/31/2020,seamus bruner provides comprehensive roadmap to biden family corruption &amp; documents how vp joebiden compromised u.s national security while biden family profited from deals with america\xe2\x80\x99s enemies bidenharris2020 election2020 walkaway joebideniscorrupt,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n257,10/31/2020,she voted for joe. 2020elections 2020election bidenharristosaveamerica biden bidenharris bidenharris2020landslide joebiden kamalaharris,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n258,10/31/2020,should the fbi intervene to the openly treat trump is asking his followers to shot joebiden,United States of America,California,CA,Joe Biden,0,-0.6\r\n259,10/31/2020,so i\xe2\x80\x99m texting for biden and a voter asked if he was christ like. is the other candidate,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n260,10/31/2020,so the new thing now is that if realdonaldtrump wins he cheated because the polls show biden up big what planet are we living on vote2020,United States of America,New York,NY,Joe Biden,0,-0.9\r\n261,10/31/2020,source pins heard dropping at biden rally.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n262,10/31/2020,speakerpelosi joebiden something\xe2\x80\x99s gotta give,United States of America,New York,NY,Joe Biden,2,0\r\n263,10/31/2020,spread the word votebluetoendthenightmare votethemout biden voteblue ivankaforprison kushnertapes,United States of America,New York,NY,Joe Biden,2,0\r\n264,10/31/2020,stayfoxyworld when he loses i can\xe2\x80\x99t wait to watch that netflix special\xf0\x9f\x98\x82\xf0\x9f\x98\x82 bidenharris2020 bidenharristosaveamerica biden,United States of America,District of Columbia,DC,Joe Biden,1,0.7\r\n265,10/31/2020,steveholland1 bretbaier joebiden doesn\xe2\x80\x99t approve a raid like that.  erin in every major foreign policy decision according to gates.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n266,10/31/2020,steveschmidtses evil won in 2016. but we learned we regrouped we organized. now we wait for the blue tsunami on november 3rd biden/harris2020,United States of America,Virginia,VA,Joe Biden,2,0\r\n267,10/31/2020,support joebiden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n268,10/31/2020,symbolism was their downfall hunterbidenlaptop laptopfromhell arrestcraigsawyer whereshunterbiden  lockhimup whereshunter joebiden maga trump2020landslide trump2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n269,10/31/2020,talithap65 ericcervini oh ffs stop with the lies. biden has said innumerable times that he supports law enforcement &amp; does not want to defund police. he wants to spend more on police to beef up their ability to deal with the homeless &amp; mentally ill. if you have to lie to win you aren\xe2\x80\x99t winning.,United States of America,California,CA,Joe Biden,0,-0.8\r\n270,10/31/2020,taniel tn passed a law that says if the federal govt reschedules marijuana to schedule 2 it would be legalized here  we need you blue states save tennesseans and elect joebiden,United States of America,Tennessee,TN,Joe Biden,0,-0.5\r\n271,10/31/2020,texas longhorns texaslonghorns weback collegefootball cfb ncaa nfl dallas dallascowboys heisman heismanwatch blm blacklivesmatter biden trump democrat republican,United States of America,Texas,TX,Joe Biden,1,0.1\r\n272,10/31/2020,the biden family about the last thing beijingjoe should be talking about. \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x92\xa6,United States of America,New York,NY,Joe Biden,2,0\r\n273,10/31/2020,the boss does an ad for biden biden brucespringsteen,United States of America,Georgia,GA,Joe Biden,2,0\r\n274,10/31/2020,the buffoon says \xe2\x80\x9camerica is dead.\xe2\x80\x9d  wait til tuesday joebiden trump2020landslide election2020,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n275,10/31/2020,the democrats who claims to be the party of tolerance but joebiden said if you don\xe2\x80\x99t vote for him ... \xe2\x80\x9cain\xe2\x80\x99t black\xe2\x80\x9d if you are black. they seem to think they any minority group.\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n276,10/31/2020,the irony in biden declaring he will end fossil fuel while having his son on the board of a ukrainian energy company is rich.  and if you can\xe2\x80\x99t see the hypocrisy lies double talk then you simply don\xe2\x80\x99t care.  you want america to fail. bidencrimefamiiy voteredtosaveamerica,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n277,10/31/2020,the partyswitch is based soley on 1 congressman named stromthurmond who was a vehemont racist &amp; segregationist who opposed the 1964cra. he switched from d to r after it passed. joebiden said thurmond was his mentor. robertbyrd was also a mentor of joe's who was in the kkk.,United States of America,California,CA,Joe Biden,1,0.2\r\n278,10/31/2020,the way 2020 is going and the climate we are in the only thing left is for the purge horn to go off on election night 2020elections xrp btc trump biden binance cryptocurrency crpto cryptocurrencies foxnews cnn msnbc purge decision2020 xrpcommunity bidenharris2020,United States of America,New York,NY,Joe Biden,0,-0.1\r\n279,10/31/2020,there are so many reasons to vote for joe biden including the future of international students and immigrants. joebiden,United States of America,New Jersey,NJ,Joe Biden,1,0.5\r\n280,10/31/2020,this ... joebiden votebidenharris2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n281,10/31/2020,this despicable man is for once getting what he deserves. demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n282,10/31/2020,thomaskaine5 brave texans risked their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n283,10/31/2020,thomaskaine5 trump is not a christian joebiden joebidenforpresident2020 joebidenkamalaharris2020,United States of America,Missouri,MO,Joe Biden,0,-0.6\r\n284,10/31/2020,thomaskaine5 yessss the intergalactically stupid self-centered self-deceiving self-loathing spiritually destitute irretrievably gullible monumental assh0le offspring of the apprentice alumni. can\xe2\x80\x99t wait till orange obnoxious object is gone with his alien faced women in his life. biden,United States of America,Hawaii,HI,Joe Biden,0,-0.2\r\n285,10/31/2020,those idiots jackdorsey included at twitter would rather have twitter be the headline than joebiden if it meant saving his candidacy.  if they are not the ministry of propaganda then i don't know what is...openly and deliberately defacing the firstamendment,United States of America,California,CA,Joe Biden,0,-0.9\r\n286,10/31/2020,tmz this nation was never gonna fall at the hands of outside invaders but is falling apart from the inside. this is not the america so many want. these people are everything they claim to be against. sad. vote vote vote biden,United States of America,California,CA,Joe Biden,0,-0.5\r\n287,10/31/2020,today i caught up with joebiden i\xe2\x80\x99ve known vp since 2007. the world is different the stakes are higher but his resolve his compassion the values we share like stepping up for our neighbors are unchanged. can\xe2\x80\x99t wait to see him in the white house. vote. ia01 joebiden,United States of America,Iowa,IA,Joe Biden,1,0.6\r\n288,10/31/2020,tomiahonen pitbulllobby no mystery here. asian countries are opening their economies and schools with little to no covid. testing tracing isolating masks and safety protocols. nothing we couldn't do in the us if gop leadership wasn't lazy stupid and/or callous. follow science and vote joebiden,United States of America,Virginia,VA,Joe Biden,0,-0.1\r\n289,10/31/2020,too_corinthians andy ivankatrump blacklivesmatter so do not vote for joebiden joebidenisaracist,United States of America,New York,NY,Joe Biden,0,-0.6\r\n290,10/31/2020,trump biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n291,10/31/2020,trump is likely to beat biden and the odds in the 2020 election  election2020 electionday election2020map,United States of America,Kansas,KS,Joe Biden,2,0\r\n292,10/31/2020,trump joebiden tiktok \xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f,United States of America,Florida,FL,Joe Biden,2,0\r\n293,10/31/2020,trump trump2020landslide redwave2020 redwave biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n294,10/31/2020,trump's a fraud teamsters uber lyft factory biden jobs tech manufacturing teamjuju platinumplan,United States of America,Massachusetts,MA,Joe Biden,0,-0.8\r\n295,10/31/2020,trumpjr saying the death number is almostnothing is like when he joked about biden no curing cancer before his son died. i don\xe2\x80\x99t think jr. knew about beau,United States of America,New Jersey,NJ,Joe Biden,0,-0.2\r\n296,10/31/2020,trump\xe2\x80\x99s the man who keeps on giving \xe2\x80\x94 covid19 and death. votebluetoendthenightmare voteearly vote for the public health leadership biden will bring.,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n297,10/31/2020,tskhinvali. dvornikov keeps his artillery 2 blocks south of the base alan do you think trump's gonna sign tomorrow if he doesn't iimagine that biden's gonna inherit wwiii because khamenei won't desist. 1th5_3 &amp; da11_44 mean htswillattackduringsomespringtime. 2021,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n298,10/31/2020,twitter 10/31/20 new post \xe2\x80\x9cwhy most jews vote biden\xe2\x80\x9d has been added to my political blog. you are welcome to read reflect comment and spread the word. elections2020  israel america jews biden trump democracy globalwarming,United States of America,California,CA,Joe Biden,0,-0.1\r\n299,10/31/2020,unions discussing general strike if trump refuses to accept biden victory,United States of America,New York,NY,Joe Biden,0,-0.7\r\n300,10/31/2020,us election 2020 polls who is ahead - trump or biden. an in-depth look at the polls and what they can and can\xe2\x80\x99t tell us about who will win the white house.  vote voteearly vote2020 trump biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n301,10/31/2020,vabvox yes they are. never forget . but with our current civics or lack thereof i worry too many of us don\xe2\x80\x99t even know of nazi\xe2\x80\x99s - except the romanticized ones. a danger that leads to real ones. honkforjoe 7pm sat-electioneve biden projectlincoln teamjoe,United States of America,Washington,WA,Joe Biden,0,-0.1\r\n302,10/31/2020,video watch trump supporters trail joebiden\xe2\x80\x99s campaign bus &amp; threaten them with guns,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n303,10/31/2020,vota vote joebiden kamalaharris bidenharris2020 diamante,United States of America,Florida,FL,Joe Biden,1,0.3\r\n304,10/31/2020,vote trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 a vote for biden is voting against the black community and rights. blm trump2020 trump,United States of America,New York,NY,Joe Biden,0,-0.2\r\n305,10/31/2020,vote vote bidenharris biden2020 joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n306,10/31/2020,vote vote votethemallout votebluetoendthenightmare votebidenharris vote2020 votebidenharris2020 electionday elections2020 election adoptdontshop humorandanimals sha_ji1 bluewave bidenharris2020tosaveamerica biden americafirst biden2020,United States of America,California,CA,Joe Biden,2,0\r\n307,10/31/2020,vote vote2020 joebiden,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n308,10/31/2020,voteearly joebiden helloween2020,United States of America,New York,NY,Joe Biden,1,0.3\r\n309,10/31/2020,votehimout biden,United States of America,Nevada,NV,Joe Biden,1,0.3\r\n310,10/31/2020,voting vote election elections politics democracy votingmatters votingrights covid electionday votersuppression  ivoted govote  news civilrights voter government votingday joebiden america coronavirus voteblue repost music biden kamalaharrisvp,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n311,10/31/2020,waaaahoooo biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n312,10/31/2020,walmart trump joebiden bidenharris2020 republican democrat ameriduh,United States of America,New York,NY,Joe Biden,1,0.1\r\n313,10/31/2020,watch \xe2\x80\x9c\xe2\x80\x9cyou know who to vote for\xe2\x80\x9d\xe2\x80\x9d by claybornecarson on vimeo  on tuesday those who haven\xe2\x80\x99t already voted must decide  listen to mlk\xe2\x80\x99s powerful and currently relevant words vote everyvotecounts flipthesenateblue trumpknewanddidnothing biden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n314,10/31/2020,watching joe a man who brings people together. doesn\xe2\x80\x99t divide. the power to change america is in your hands honkforjoe  7pm sat-electioneve 1.honk for 1min 2. silence for 30 secs 3. 1honk to honor essential workers-   biden bidenharris2020 trumpislosing retweet teamjoe,United States of America,Washington,WA,Joe Biden,2,0\r\n315,10/31/2020,we are not safe yet make sure to vote blue\xf0\x9f\x92\x99\xf0\x9f\x92\x99 joebiden voteblue saveamerica 2020election,United States of America,North Carolina,NC,Joe Biden,0,-0.7\r\n316,10/31/2020,wearing a mask is not a political statement. it\xe2\x80\x99s a matter of life and death. if you\xe2\x80\x99re not concerned about your own protect someone else. be a mensch. joebiden mensch,United States of America,New York,NY,Joe Biden,0,-0.3\r\n317,10/31/2020,wearing my biden shirt and some trump supporters just rolled down their windows and shouted obscenities at me on baronne st. in new orleans. i\xe2\x80\x99m not gunna give in to the intimidation. the fact that the republicans feel they need to do that shows they\xe2\x80\x99re on the wrong side. vote,United States of America,Louisiana,LA,Joe Biden,0,-0.4\r\n318,10/31/2020,welcome to joebiden 's america.,United States of America,California,CA,Joe Biden,1,0.2\r\n319,10/31/2020,what a wonderful son assisting his ailing father. and that is why it is important to have children. good thing joebiden never thought of aborting his son hunterbiden.,United States of America,New York,NY,Joe Biden,1,0.6\r\n320,10/31/2020,what drugs was lindsey graham taking before that show biden should sign him up for the campaign,United States of America,California,CA,Joe Biden,0,-0.4\r\n321,10/31/2020,what gaffe joebiden trumplandslidevictory2020,United States of America,Ohio,OH,Joe Biden,2,0\r\n322,10/31/2020,where was austin_police to safely escort the biden team there\xe2\x80\x99s no excuse for allowing trumpviolence anywhere but especially not when it\xe2\x80\x99s seriously endangering other people \xf0\x9f\xa4\xac votebluetoendthenightmare bidencalm,United States of America,Oregon,OR,Joe Biden,0,-0.8\r\n323,10/31/2020,whitehouse realdonaldtrump you support the workers of china to make your maga hats madeinchina &amp; to build your dubai resort. biden uses american workers to make his hats madeinusa traitortrump votebiden,United States of America,California,CA,Joe Biden,0,-0.1\r\n324,10/31/2020,who is joe biden is not being trump enough i found this early october csm profile informative. focusing on his personal style the nuanced and sympathetic profile also notes criticisms of his long senate record and  allegations of cronyism. will the wounded king myth prevail,United States of America,California,CA,Joe Biden,1,0.2\r\n325,10/31/2020,whoever's running social media for joebiden is a snarky trolling person... and i love it.,United States of America,Florida,FL,Joe Biden,1,0.6\r\n326,10/31/2020,why doesn\xe2\x80\x99t trump say the crime bill passed 95-4 in 1994 all but 2 republicans voted for it and there\xe2\x80\x99s still a handful of them in government biden vote trumplies,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n327,10/31/2020,why this matters americans must know if our potential next potus biden is susceptible to major blackmail from our chief geopolitical military technological anti-democracy humanrights violating globally ascendant adversary china.  election2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n328,10/31/2020,will a biden vote help the nurse at rush university medical finally decide that i\xe2\x80\x99m not 5\xe2\x80\x991\xe2\x80\x9d 165 pounds like a pregnant shakira,United States of America,Illinois,IL,Joe Biden,2,0\r\n329,10/31/2020,will any police stand up and say \xe2\x80\x9cenough\xe2\x80\x9d  do you even care about protecting people anymore  did you see how they attacked the biden campaign today  and the police just let it happen i just want to hear from one officer- just one,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n330,10/31/2020,will smith grew so enamored of his canine co-star abbey that he tried to adopt her when filming was finished but the dog's trainer could not be persuaded to give her up.model trump joebiden instagram  twitter facebook kanyewest america,United States of America,New York,NY,Joe Biden,0,-0.4\r\n331,10/31/2020,with biden economic wreckage or salvage 2020election,United States of America,Minnesota,MN,Joe Biden,0,-0.1\r\n332,10/31/2020,wosrin i\xe2\x80\x99m counting down the days minutes and seconds joebiden,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n333,10/31/2020,wow detroit let's listen in to  president obama and joebiden steviewonder,United States of America,New York,NY,Joe Biden,1,0.5\r\n334,10/31/2020,wpreview thanks for publishing edwardgluce thoughtful piece. i disagree with his argument about trust.  note how many republicans trust biden to return to post trump norms.  why  because the norms built on trust matter to effective governance.,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n335,10/31/2020,wtf  the racistinchief supporters driving recklessly by biden bus behaviors embraced by the orange blob   dumptrump2020,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n336,10/31/2020,yo hidin' biden this chump is voting for trump. chumpsfortrump trump2020 \xf0\x9f\xa4\x98\xf0\x9f\x87\xba\xf0\x9f\x87\xb2,United States of America,Colorado,CO,Joe Biden,2,0\r\n337,10/31/2020,you\xe2\x80\x99re no more a catholic than my dog is a cat. the catholicchurch does not support abortion. you live in the perpetual state of mortal sin for supporting enabling &amp; advancing it. going thru the motions of showing up at mass does not make you a practicing catholic biden.\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb,United States of America,New York,NY,Joe Biden,0,-0.4\r\n338,10/31/2020,y\xe2\x80\x99all better stock up on food &amp; necessities before nov. 3rd because if trump wins you know liberals &amp; leftists are going rogue. doing my second coming shopping tomorrow. just in case. 2020elections joebiden trump2020landslide shop shopping electionday election2020,United States of America,Nevada,NV,Joe Biden,2,0\r\n339,10/31/2020,zuckerberg &amp; fb have already accepted trump ads declaring victory while shutting down biden campaign ads that were legit &amp; timely. this is the level of corruption we are dealing with &amp; the marriage of convenience between trump &amp; us oligarchs. biden,United States of America,California,CA,Joe Biden,0,-0.3\r\n340,10/31/2020,\xe2\x80\x9chey it\xe2\x80\x99s brian. have you voted if you have a mail-in ballot don\xe2\x80\x99t mail it drop it at a ballot drop box asap. if you\xe2\x80\x99re voting on election day bring a mask. the rights of millions of americans including my own as a gay man are at stake in this election. please vote\xe2\x80\x9d biden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n341,10/31/2020,\xe2\x80\x9cthe wall street journal hasn\xe2\x80\x99t endorsed a presidential candidate since 1928\xe2\x80\x94hoover\xe2\x80\x94and we aren\xe2\x80\x99t about to change this year\xe2\x80\x9d ... but here is why joebiden is a trojan horse for socialism. again not taking sides. sure vote bernie i mean biden. whatever.,United States of America,New York,NY,Joe Biden,0,-0.3\r\n342,10/31/2020,\xf0\x9f\x8e\xa0\xf0\x9f\x8e\xa0\xf0\x9f\x8e\xa0trump n biden \xf0\x9f\x8d\x94\xf0\x9f\x8d\x94\xf0\x9f\x8d\x94again imagine \xf0\x9f\xa6\x84\xf0\x9f\xa6\x84\xf0\x9f\xa6\x84 fighting each other in high school; trump slams supreme court live election updates,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n343,10/31/2020,\xf0\x9f\x98\x82 votejoebiden joebiden2020 bidenharris2020 biden biden,United States of America,District of Columbia,DC,Joe Biden,1,0.4\r\n344,10/31/2020,\xf0\x9f\x9a\xa9 we made it to 100000+ new covid infections in a 24 hour period. please vote for change on tuesday covid19 coronavirus covid covidiots votehimout biden bidenharris2020 bidenharris dumptrump2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Joe Biden,2,0\r\n345,10/31/2020,\xf0\x9f\xa4\x9e\xf0\x9f\x99\x8f biden bidenharristosaveamerica,United States of America,New York,NY,Joe Biden,1,0.5\r\n346,10/31/2020,\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8fvote for biden he doesn\xe2\x80\x99t promote this type of behavior. trump does texas,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n347,11/1/2020,joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n348,11/1/2020,joebiden kamala,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n349,11/1/2020,prolife joebiden,United States of America,Nebraska,NE,Joe Biden,1,0.3\r\n350,11/1/2020,1novembre vote voteearly vote2020 facciamorete mpskino anubi_matt romilasi trump &lt;per parcondicio&gt; biden obama andate a votare,United States of America,New York,NY,Joe Biden,0,-0.5\r\n351,11/1/2020,2020election americafirst joebiden americaneedsbiden americaortrump votebluetoendthenightmare vote trumpcrimefamilyforprison trumpiscompromised trumpisalaughingstock trumpispathetic trumpisaloser trumpisnotamerica trumpisaliar voteblue2020,United States of America,Texas,TX,Joe Biden,1,0.1\r\n352,11/1/2020,2020usapresidentialelection is notover yet &gt; until it's truly over  -- if trump is winning ..or .. biden is winning  one of the two suppositions remains to be seen \xe2\x9c\x8d\xef\xb8\x8f,United States of America,Texas,TX,Joe Biden,2,0\r\n353,11/1/2020,45 want suburban women to like you  fess up about who you owe 425 million to stop overwhelming hospitals w/covid cases - so that another shutdown is looming.   stop mocking medical professionals saying they are trying to profit.   basically find empathy and a soul.. biden,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n354,11/1/2020,90% of the polls show joe up everywhere.  yet i have never been so nervous or sick to my stomach.  bidenharris2020 biden bidenharristosaveamerica xanax,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n355,11/1/2020,a halloween2020 message from hillaryclinton halloween biden trump vote election2020 rexchapman kamalaharris joebiden cnn clinton trumpispathetic trumpislosing trumpsupporters lincolnproject projectlincoln usa,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n356,11/1/2020,a large group of trump supporters attempt to ambush biden campaign hit cars run biden supporters off highway a deadly/illegal thing to do. appears to be domestic terrorism. there is a video showing what clearly happened. texasvotes biden election2020,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n357,11/1/2020,a pull rope in bubba wallace\xe2\x80\x99s garage is a major story but a laptop showing corruption in the biden name is ignored... think about that for a minute. trump2020,United States of America,California,CA,Joe Biden,0,-0.2\r\n358,11/1/2020,a thug's posse \xf0\x9f\x98\xb1 ~  biden team cancels texas event after highway \xe2\x80\x98ambush\xe2\x80\x99 by maga cavalry \xe2\x80\x94\xe2\x80\x94&gt;   via thedailybeast,United States of America,Ohio,OH,Joe Biden,0,-0.4\r\n359,11/1/2020,abcpolitics honk if you want joebiden to stop yelling at a teleprompter.... saynotojoe,United States of America,Arizona,AZ,Joe Biden,0,-0.1\r\n360,11/1/2020,about blackpredators  we should take them out of society....joebiden,United States of America,New York,NY,Joe Biden,0,-0.6\r\n361,11/1/2020,according to my imaginary sources realdonaldtrump will be making spray tan mandatory to attend any public events if he wins. bidencorruption trump2020 truthseekers sarcasm trumpcrimefamily stupidity joebiden projectlincoln,United States of America,New York,NY,Joe Biden,0,-0.5\r\n362,11/1/2020,actual clowns exist who actually believe that joebiden has a plan for covid covid19 and yet they won't demand he release it to help save lives. folks this isn't about the scamdemic2020 its about delusional trump haters who are slaves on the left ist plantation. vote,United States of America,North Carolina,NC,Joe Biden,0,-0.2\r\n363,11/1/2020,agenderblogger nope. this is not the time for green party spoilers to indulge their egos. if they truly gave a damn about america or their climate goals they\xe2\x80\x99d enthusiastically support biden &amp; then work closely with him on climate. otherwise they get zero attention from me.,United States of America,California,CA,Joe Biden,0,-0.6\r\n364,11/1/2020,aka biden believes israel cannot make decisions for themselves. timesofisrael,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n365,11/1/2020,albertmohler i\xe2\x80\x99m so glad you agree about the sanctity of all human life. that\xe2\x80\x99s why i voted today for the candidate who has a plan for cov19 &amp; actually cares about the 200000+ people who have died the kids at the border w/ no parents &amp; the hospitals once again being overrun. joebiden,United States of America,Arizona,AZ,Joe Biden,1,0.4\r\n366,11/1/2020,am i the only one laughing uncontrollably at joebiden\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3honk honk honk\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3,United States of America,Washington,WA,Joe Biden,2,0\r\n367,11/1/2020,america\xe2\x80\x99s election - why it has to be biden | leaders | the economist,United States of America,New York,NY,Joe Biden,0,-0.4\r\n368,11/1/2020,and in case anyone forgot - there are still 545 children who were ripped away from their parents who\xe2\x80\x99ve been \xe2\x80\x9clost\xe2\x80\x9d by the trumpsamerikkka administration. voteblue votebiden votehimout biden bidenharris2020tosaveamerica kidsincages,United States of America,California,CA,Joe Biden,0,-0.2\r\n369,11/1/2020,angelamccrae01 of uncorkedandcultured over at instagram is getting us off to the right foot with the ultimate election wine mood board. y'all ready electionday winehumor joebiden kamalaharris blackwineprofessionals diversityinwine,United States of America,California,CA,Joe Biden,0,-0.1\r\n370,11/1/2020,are you there god it's me again bette. we're scared.  we have a fascist in the whitehouse a racist criminal who hates democracy denies science &amp; kills our citizens electionday is in two days. what if he wins we won't have a country please let joebiden win.  thank you.,United States of America,New York,NY,Joe Biden,0,-0.3\r\n371,11/1/2020,atrupar such a hypocrite. how can he &amp; corruptjoebiden stand there preaching trump has \xe2\x80\x9cego\xe2\x80\x9d to the ppl of flintmichigan when the flintwatercrisis happened on his &amp; \xf0\x9f\x98\x82joebiden\xe2\x80\x99s watch begging for joebiden2020 votes they have no shame.,United States of America,California,CA,Joe Biden,0,-0.4\r\n372,11/1/2020,b_schaffner nate_cohn keep in mind biden only needs to win one of the states on that list or az+ omaha district in ne assuming he wins mi and wi as seems likely.  potus needs to thread a camel through the eye of that needle. vote vote2020,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n373,11/1/2020,back_dafucup nope just another reason to vote for biden,United States of America,Alabama,AL,Joe Biden,0,-0.7\r\n374,11/1/2020,bader_diedrich call me crazy but i\xe2\x80\x99m hoping for a joebiden landslide,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n375,11/1/2020,balls to the wall last chance make it count demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n376,11/1/2020,barack got booty \xf0\x9f\x8d\x91 vote biden obama,United States of America,New York,NY,Joe Biden,0,-0.1\r\n377,11/1/2020,barackobama obama for biden for the win,United States of America,California,CA,Joe Biden,1,0.6\r\n378,11/1/2020,bblock29 palmerreport when trump said biden was getting big shots in the ass i knew that meant trump was getting big shots in the ass.,United States of America,Georgia,GA,Joe Biden,0,-0.7\r\n379,11/1/2020,bennyjohnson the scrantonscrapper  joebiden is full of crap  vote trump2020 pa.  pennsylvania maga tcot,United States of America,New York,NY,Joe Biden,0,-0.2\r\n380,11/1/2020,best ad i\xe2\x80\x99ve ever seen \xf0\x9f\x98\x8d\xf0\x9f\x92\x99 we need a man who adores animals and his nit afraid to let others know. joebiden votebidenhesanadult votebidenharrisforourkids votebidenharris biden2020 bluewave2020,United States of America,New York,NY,Joe Biden,1,0.6\r\n381,11/1/2020,bettyanncanizio kiwiwang5 darrinmm mutant_corn adagioforstring isafeyet mememercenary oxmanmartin mrjmerde1 kaykay01361294 davidf4444 waguinnnn realtrumpsquad tnolwene ralphs24381648 larryputt quin4trump arascallion icanplainlysee laughtrackitst1 flmrs4trump justme73forall ernestleenot shellyt561 marilynlavala aqilcanizio kcozzzzz epstein_isalive keithmi83510019 una_alta_volta brothermario keecowang5 kcinor magnet3tm stillfreescotty lotty_dotty1 knowurenemy3 mrsdbltme ineedsunshine11 thedude77 ihategrackles koolbreeze3232 451reh patvpeters isabell55943101 ivanper21013465 stonekeeper3 logicallyspkn im4him4ever \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3 somebody call the biden campaign check for a pulse \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3 this campaign is over if thats what they\xe2\x80\x99re pulling late...,United States of America,Washington,WA,Joe Biden,0,-0.7\r\n382,11/1/2020,biden,United States of America,Arizona,AZ,Joe Biden,1,0.3\r\n383,11/1/2020,biden,United States of America,Arizona,AZ,Joe Biden,1,0.3\r\n384,11/1/2020,biden,United States of America,California,CA,Joe Biden,1,0.3\r\n385,11/1/2020,biden,United States of America,California,CA,Joe Biden,1,0.3\r\n386,11/1/2020,biden,United States of America,Maryland,MD,Joe Biden,1,0.3\r\n387,11/1/2020,biden,United States of America,North Carolina,NC,Joe Biden,1,0.3\r\n388,11/1/2020,biden after he beats trump with the latino vote hello florida resistance,United States of America,California,CA,Joe Biden,0,-0.2\r\n389,11/1/2020,biden bidenharris2020 biden2020 bidenharris united joebiden joebiden2020 election election2020\xc2\xa0 democrats democrats vote\xc2\xa0 votethemout voteblue voteearly\xc2\xa0 vote2020\xc2\xa0 votelikeyourlifedependsonit votebluetosaveamerica votebidenharris2020 votebiden votehimout2020,United States of America,California,CA,Joe Biden,2,0\r\n390,11/1/2020,biden campaign cancels 2 texas events after vehicles with trump flags surround biden-harris bus on i-35,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n391,11/1/2020,biden claims to philadelphians he's wearing eagles jacket while sporting delaware blue hens gear  joebiden,United States of America,Illinois,IL,Joe Biden,0,-0.5\r\n392,11/1/2020,biden confused minnesota with tampa florida today.  now we understand why he\xe2\x80\x99s been kept out of sight for so long he doesn\xe2\x80\x99t know where he is half the time. minnesota florida bidencrimesyndicate biden2020 breaking news breakingpoll polls trump2020 trump,United States of America,New York,NY,Joe Biden,0,-0.4\r\n393,11/1/2020,biden cops a feel,United States of America,California,CA,Joe Biden,2,0\r\n394,11/1/2020,biden dems democrats trump obama redwave,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n395,11/1/2020,biden halloween cold open - snl  via youtube joebiden joebiden2020 joebidenkamalaharris2020 jimcarrey snl,United States of America,California,CA,Joe Biden,2,0\r\n396,11/1/2020,biden holds a clear advantage over trump across four of the most important presidential swingstates a new poll shows bolstered by the support of voters who did not participate in the 2016 election,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n397,11/1/2020,biden holds edge in fourkeybattleground states poll thehill,United States of America,Texas,TX,Joe Biden,2,0\r\n398,11/1/2020,biden is a racist biden democrats,United States of America,Florida,FL,Joe Biden,2,0\r\n399,11/1/2020,biden is a train wreck and it\xe2\x80\x99s kinda funny \xf0\x9f\x98\x86 to watch him implode. those whack socialist democrats picked him. the own it.,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n400,11/1/2020,biden leads trump among latino voters by 2-1 margin days before the presidential election with 62% of latinos supporting biden &amp; 29% supporting trump,United States of America,Puerto Rico,PR,Joe Biden,0,-0.3\r\n401,11/1/2020,biden lockdownscostlives,United States of America,New York,NY,Joe Biden,1,0.3\r\n402,11/1/2020,biden will pack my cigarettes \xe2\x9d\xa4\xef\xb8\x8f,United States of America,Florida,FL,Joe Biden,1,0.2\r\n403,11/1/2020,biden \xf0\x9f\x98\x86\xf0\x9f\xa4\xaa,United States of America,California,CA,Joe Biden,1,0.5\r\n404,11/1/2020,bidenfamilycorruption bidenharris2020 latinosfortrump democratsaredestroyingamerica blacksfortrump bidenlaptop corruptjoebiden americafirst biden socialism communism,United States of America,Iowa,IA,Joe Biden,0,-0.3\r\n405,11/1/2020,bidenharris2020landslide to win from the map i show biden has to flip 12 votes or more by winning just one of these states fl nc ga or tx  and he has to win mn wi and mi.  if he wins ga and loses mi that is even and trump wins 16 votes each. 3/,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n406,11/1/2020,bidenscognitivedecline joebiden joebidenisnotwell election2020 neverkamala wakeupamerica bidenharris,United States of America,Florida,FL,Joe Biden,1,0.4\r\n407,11/1/2020,bigguy biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n408,11/1/2020,brave americans are risking their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n409,11/1/2020,brave texans risked their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n410,11/1/2020,breonna taylor was murdered by police in her sleep while doing nothing meanwhile a gang of men in texas tried to run the bus of a presidential candidate off the road and are at home right now with their families.... breonnataylor biden texas whitesupremacist,United States of America,New York,NY,Joe Biden,0,-0.2\r\n411,11/1/2020,bye biden trump redwaverising2020,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n412,11/1/2020,calthomas so political - it\xe2\x80\x99s fall and the height of flu season it\xe2\x80\x99s amazing how all people forget that it is flu season covid or not. hey why didn\xe2\x80\x99t joebiden make us all wear masks during his administration,United States of America,Missouri,MO,Joe Biden,0,-0.7\r\n413,11/1/2020,can you hear and see this video twitter isn't allowing me to upload a video of joebiden saying predators.,United States of America,Virginia,VA,Joe Biden,0,-0.6\r\n414,11/1/2020,can you say intimidation this sucks cars with trump flags surround biden campaign bus on tx highway.,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n415,11/1/2020,can\xe2\x80\x99t describe how enraging it is that biden will get the most votes but a few people in pennsylvania &amp; florida will decide who becomes president,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n416,11/1/2020,chefjoseandres donaldjtrumpjr realdonaldtrump joebiden biden built the cages.  he did nothing for dreamers and he panders to latinos .  all he does is point and say others are racist.  that\xe2\x80\x99s the disrespect.  he supported segregation remember democrats vote,United States of America,New York,NY,Joe Biden,0,-0.6\r\n417,11/1/2020,chipfranklin nyc10468 since 2000 ask cheney. since fox news got involved ask sheppard. since r. stone has been involved w/ florida &amp; election corruption. &amp; now they say why can't they do it again joebiden nytimes washingtonpost joebiden algore abc cnn bidenharrislandslide2020 trumpislosing,United States of America,New York,NY,Joe Biden,0,-0.2\r\n418,11/1/2020,climate change is real and yes science does actually know. climateaction climatechange joebiden joebiden2020,United States of America,Virginia,VA,Joe Biden,1,0.2\r\n419,11/1/2020,cnnpolitics they were only riding along and trying to pass the biden bus while having some fun with oldjoe. no need to cancel. \xf0\x9f\x99\x84\xf0\x9f\xa4\xb7\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f,United States of America,New York,NY,Joe Biden,2,0\r\n420,11/1/2020,cold in washingtonmi now realdonaldtrump trumprallymi but warm 60s wednesday after trump loser joebiden wins the weather gets warm warmerwednesday indicttrump2021 gop killing seniors puremichigan florida gop rallies kill 700 stanford 300kamericansdead,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n421,11/1/2020,concern01212880 bevdevwarrior dad_darius realdonaldtrump joebiden is a true patriot. joebiden loves this country. joebiden will work to unite this country and restore integrity and honor the its leadership. votebidenharris2020,United States of America,Illinois,IL,Joe Biden,1,0.4\r\n422,11/1/2020,corruptbiden has his supporters exposing his same empty platitudes. it\xe2\x80\x99s all biden has to offer. pure bs just like barack obama.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n423,11/1/2020,covid19 cnn coverage uses tactics to sway voters \xe2\x80\x9cfear of dying is their mantra\xe2\x80\x99 \xf0\x9f\x9a\xab\xf0\x9f\x98\xb7biden and harris have a love affairwith cnn votetrump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x91\x8d\xf0\x9f\x8f\xbc\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x91\x8d\xf0\x9f\x8f\xbc\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n424,11/1/2020,crimebill written by biden and enforced by kamala and they will lose because they are not for the people but for the for-profit prison \xe2\x80\x9csystem\xe2\x80\x9d,United States of America,New York,NY,Joe Biden,0,-0.7\r\n425,11/1/2020,davidkeithlaw jysexton if msnbc &amp; or cnn declare biden a clear winner in the popular vote &amp; electoral college what will foxnews do,United States of America,New York,NY,Joe Biden,0,-0.2\r\n426,11/1/2020,deanobeidallah and donaldjtrumpjr not the sharpest tool is on video calling out to isis-style gop + magas trumpconvoy that harrassed the biden campaign bus &amp; tried to run them off the road calling on them to go find kamala harris and do the same to her. trumpcrimefamily,United States of America,Arizona,AZ,Joe Biden,0,-0.1\r\n427,11/1/2020,dearauntcrabby barackobama joebiden i believe you meant barrack obama is out 'supporting' joebiden. no one with any sense can support the dotard realdonaldtrump,United States of America,California,CA,Joe Biden,0,-0.7\r\n428,11/1/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n429,11/1/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n430,11/1/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n431,11/1/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n432,11/1/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n433,11/1/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n434,11/1/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n435,11/1/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n436,11/1/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n437,11/1/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n438,11/1/2020,democrats remain nervous about pennsylvania despite polls showing biden significantly ahead of trump and widening his lead in polls.,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n439,11/1/2020,dems put fauci\xe2\x80\x99s errors and advice he is the \xe2\x80\x9cscientist\xe2\x80\x9d they want trump to follow\xe2\x80\x9d all on trump                  joebiden biden2020 aka kamalaharris harris2020 democrats corrupt liars   via clapper,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n440,11/1/2020,diary of a radio junkie 1807 days of waking up to the news bidenharris2020 biden obama steviewonder detroit trumpsuperspreader covid19 covid_19 coronavirus seanconneryrip jamesbond philippines typhoongoni hongkong china wuchiwai  paintingoftheday art painting,United States of America,New York,NY,Joe Biden,2,0\r\n441,11/1/2020,dineshdsouza this is definitely worth watching among other things gingrich explains how in 2017/18 upenn received $17m from communist china and paid joebiden $911k,United States of America,New York,NY,Joe Biden,1,0.4\r\n442,11/1/2020,dmgj b_schaffner nate_cohn sitting here is western pa i think biden wins pa somewhat comfortably and us popular and electoral votes a bit more comfortably. for what my opinion is worth. thing is he has multiple paths to electoral win whereas our leader has very narrow path.,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n443,11/1/2020,do you know why biden doesn\xe2\x80\x99t have miles of jobless clowns driving around cheering for him because people will vote for him but they don\xe2\x80\x99t worship him. you weirdos are in love with trump. which means you see him as greater than yourselves. which may be true but it is pathetic,United States of America,New York,NY,Joe Biden,0,-0.3\r\n444,11/1/2020,does joe biden think that he can win without michigan voters because he thinks that the election is rigged in his favor video,United States of America,North Carolina,NC,Joe Biden,0,-0.8\r\n445,11/1/2020,does the number of emails each a presidential campaign sends out asking for money mean anything i've received 83 emails from the biden campaign and 28 from the trump campaign over the past 30 days. election2020,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n446,11/1/2020,donaldtrumpjr told trump supporters to \xe2\x80\x9cgo out and have some fun\xe2\x80\x9d then biden supporters got chased outta texas,United States of America,District of Columbia,DC,Joe Biden,0,-0.6\r\n447,11/1/2020,duet with itsjazzyjaz just vote biden dumptrump2020 lockhimup,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n448,11/1/2020,election 2020 updates obama biden finish day of campaigning in detroit - abc news,United States of America,New York,NY,Joe Biden,2,0\r\n449,11/1/2020,election at hand biden leads trump in four key states poll shows  arizona florida pennsylvania wisconsin,United States of America,Puerto Rico,PR,Joe Biden,0,-0.1\r\n450,11/1/2020,election in america now is like watching 3rd world country\xe2\x80\x99s elections. full of vote buying corruption hurting threatening ppl murder if they have to. that\xe2\x80\x99s how sad this country had become esp under this administration. vote for joebiden our country\xe2\x80\x99s future depend on it.,United States of America,Nevada,NV,Joe Biden,0,-0.6\r\n451,11/1/2020,election night 2020 national state local up-to-the-minute race results. live coverage all night starting at 9pm on november 3rd on news 12. \xe2\x81\xa0vote2020 electionday trump biden news12,United States of America,New York,NY,Joe Biden,2,0\r\n452,11/1/2020,election2020 cbs cbs including sunday morning are campaigning their hearts out for biden.,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n453,11/1/2020,election2020 electionday elections2020 trump donaldtrump biden joebiden republican democrat thedemocrats gop usa,United States of America,Wyoming,WY,Joe Biden,2,0\r\n454,11/1/2020,election2020 politicaltheater biden bidenharris2020,United States of America,Georgia,GA,Joe Biden,1,0.3\r\n455,11/1/2020,ericcervini freedom of speech is not running a 77 year old widower off the road.  biden trump trumpispathetic usa,United States of America,California,CA,Joe Biden,0,-0.3\r\n456,11/1/2020,even with covid in 2020 were better off than we were in 2015 under barackobama joebiden -try to tell me i\xe2\x80\x99m wrong \xf0\x9f\x98\xacrealdonaldtrump saved our economy got us out of horrible trade deals cut regulations &amp; taxes &amp; brought the american dream back god send trump biden,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n457,11/1/2020,exposing the bidens' a tony bobulinksi story | larry elder  via youtube joebiden joebidenukrainescandal hunterbidenslaptop,United States of America,New York,NY,Joe Biden,0,-0.1\r\n458,11/1/2020,fbi maddow msnbc joebiden kamalaharris barackobama adamschiff,United States of America,New Jersey,NJ,Joe Biden,1,0.4\r\n459,11/1/2020,fellow teamsters &amp; union brothers &amp; sisters best way to defeat anti-labor racist trumpsters and show support for working families is to vote row d on nywfp for biden,United States of America,New York,NY,Joe Biden,1,0.2\r\n460,11/1/2020,finally. joe biden's birthchart shows that his sun was in scorpio and his moon was in......taurus exact alignment as it is today. astrology politics joebiden bluewave cosmicalignment cosmicsigns theuniversespeaks,United States of America,New York,NY,Joe Biden,1,0.1\r\n461,11/1/2020,fl &amp; tx are in play along w/ pa oh mi wi nc az ga ia nv &amp; even mt. biden is leading currently in mi &amp; wi which is 26 ec votes. the tricky part will be in where he gets the last 18 ec votes. pa seems most likely which is why trump is so fixated on it.,United States of America,Georgia,GA,Joe Biden,2,0\r\n462,11/1/2020,florida puertorico please  vote biden last early voting sunday...t o d a y.  p\xc3\xa1salo y no lo dejes caer.,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n463,11/1/2020,for all who are christians today\xe2\x80\x99s gospel is the beatitudes. good to remember what people with which qualities jesus said will be \xe2\x80\x9cblessed.\xe2\x80\x9d a timely reminder as we approach electionday and choose our leaders. biden trump,United States of America,Massachusetts,MA,Joe Biden,1,0.4\r\n464,11/1/2020,forget the polls. we have a blue moon on gotv weekend. bidenharris vote biden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n465,11/1/2020,free life coaching call for undecidedvoters. you'll walk away with a clear sense of your values and what's most important to you. this will help you make choices in the election and in life. none of my own beliefs. confidential. no judgments. biden trump election2020 vote,United States of America,Massachusetts,MA,Joe Biden,1,0.2\r\n466,11/1/2020,from the archives  the left disguises fellow leftist kamala harris as a moderate  democrats joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n467,11/1/2020,funder i voted \xf0\x9f\x97\xb3 biden done from massachusetts \xe2\x9c\x85,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n468,11/1/2020,gop realdonaldtrump how will biden stop thanksgiving and christmas when he won't be inaugurated until the end of january,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n469,11/1/2020,gopchairwoman realdonaldtrump hope you\xe2\x80\x99re proud that thousands will get sick and some will die. the real silent majority are those who are sick of trump\xe2\x80\x99s insanity and are quietly casting their votes for joebiden,United States of America,New York,NY,Joe Biden,0,-0.7\r\n470,11/1/2020,gulf countries are bracing for the possible consequences of a joe biden win in\xc2\xa0the election  via scastelier,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n471,11/1/2020,halloween 2020 halloween deadpool cruelladevil biden  hartford connecticut,United States of America,New York,NY,Joe Biden,1,0.2\r\n472,11/1/2020,happyhalloween2020 biden obama,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n473,11/1/2020,harrisonford and mikebloomberg team to save the environment by supporting joe biden.,United States of America,New York,NY,Joe Biden,1,0.6\r\n474,11/1/2020,he misspelled biden,United States of America,Nevada,NV,Joe Biden,0,-0.6\r\n475,11/1/2020,he said he wasn\xe2\x80\x99t an american because he was voting for biden. my hubs said i served in the army what did you do guy walked away. that\xe2\x80\x99s what i thought. what is wrong with people,United States of America,Missouri,MO,Joe Biden,0,-0.4\r\n476,11/1/2020,helped pass obamacare affordable care act guaranteeing health coverage for americans with pre-existing conditions and 20 million who were previously uninsured. joebiden whatdidbidendo,United States of America,California,CA,Joe Biden,1,0.6\r\n477,11/1/2020,hey joebiden the neighbors gave us rave reviews with this one,United States of America,North Carolina,NC,Joe Biden,1,0.7\r\n478,11/1/2020,hey joebiden. stop complaining about real peacefulprotest,United States of America,Alabama,AL,Joe Biden,2,0\r\n479,11/1/2020,hey you forgot the planeload of cash flown to the terrorist state of iran and no doubt some of it fell off the plane into someone\xe2\x80\x99s pocket  obama biden,United States of America,California,CA,Joe Biden,0,-0.9\r\n480,11/1/2020,highwayambush  --- according to intriguingnews reports trump's footsoldiers used their mobilized maga zealots magacalvary to ambush the cars of biden's campaign team &amp; scare them bidenites away from a texas **,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n481,11/1/2020,hmmm realdonaldtrump por favor explique... notmypresident latinasforbiden vote biden,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n482,11/1/2020,how come when i type  it goes directly to joebiden  kamalaharris website c'mon man. antifa = dnc neverbidennevertrump howiehawkins  jojorgensen votegold votegreen don't waste your vote on establishment to make your vote count. breakaway,United States of America,New York,NY,Joe Biden,0,-0.6\r\n483,11/1/2020,how\xe2\x80\x99s my hunter biden costume realdonaldtrump donaldjtrumpjr trump2020 arizona,United States of America,Arizona,AZ,Joe Biden,2,0\r\n484,11/1/2020,hunter biden's easy-access laptop was 'national security nightmare',United States of America,New York,NY,Joe Biden,0,-0.5\r\n485,11/1/2020,i believe and have faith that love will win over evil we will not let these terrorists going after the bidenharris bus and cars. these trumpcriminal supporters will not win you are done.  bidenharristoendthisnightmare bidenharris2020tosaveamerica voteblue joebiden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n486,11/1/2020,i can't emphasize this enough polls are not votes. if democrats want to defeat president donaldtrump and elect joebiden then we have to show up and vote.,United States of America,Maryland,MD,Joe Biden,0,-0.6\r\n487,11/1/2020,i love the way this poster slips in the idea that the stuff about biden will be proved false without actually having any evidence in that direction.,United States of America,Minnesota,MN,Joe Biden,1,0.4\r\n488,11/1/2020,i project a joebiden win over realdonaldtrump in u.s. presidential election - perspectives by simonateba washington d.c. kamalaharris mike_pence electionday elections2020 biden trump bidenharristosaveamerica election2020   via todaynewsafrica,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n489,11/1/2020,i project a joebiden win over realdonaldtrump in u.s. presidential election - perspectives by simonateba washingtondc  election2020 elections2020 biden trump texas florida pennsylvania northcarolina georgia wisconsin michigan,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n490,11/1/2020,i think amyschumer ate joebiden trump2020,United States of America,New York,NY,Joe Biden,1,0.2\r\n491,11/1/2020,i wonder if these neighbors get along trump biden election2020 usa \xf0\x9f\x93\xb8 barbaradavidson,United States of America,California,CA,Joe Biden,0,-0.3\r\n492,11/1/2020,i'm deadass not afraid of people seeing me as a hard-core democrat anymore i'll use my white systemic voice to help others less privileged than me speak just as loud. i volunteered and you should too. help wash out red plauge. joebiden bidenharris2020 dumptrump blm vote,United States of America,New Mexico,NM,Joe Biden,1,0.2\r\n493,11/1/2020,i'm not for trump but this is who your getting. joebiden trump election2020  via youtube,United States of America,California,CA,Joe Biden,1,0.1\r\n494,11/1/2020,if biden flips only az he ties trump and trump wins in the house if no seats flip blue. see next    2/,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n495,11/1/2020,if this had been a trump bus surrounded by biden supporters judgejeanine would have been screaming that it was antifa run amok,United States of America,Washington,WA,Joe Biden,0,-0.8\r\n496,11/1/2020,if you consider only one thing as you vote make it this realdonaldtrump loves that his supporters in texas tried to run a biden bus off the road...  trump election2020,United States of America,New York,NY,Joe Biden,2,0\r\n497,11/1/2020,if you like u.s. presidential history and are curious about the likely significance of a biden administration this thread is fascinating\xf0\x9f\x91\x87. gotv,United States of America,District of Columbia,DC,Joe Biden,1,0.5\r\n498,11/1/2020,imma tell my kids this is donald trump halloween2020 trump biden swallows rushbarandgrill innout burgersandfries,United States of America,California,CA,Joe Biden,2,0\r\n499,11/1/2020,ingrahamangle bidenharris bidenharris2020tosaveamerica biden  is out there barking at cars lmao. did you see the trump hearse and parade following the biden bus around texas.,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n500,11/1/2020,interesting opinion on what russia thinks about trump's presidency and a possible biden presidency...,United States of America,Pennsylvania,PA,Joe Biden,1,0.4\r\n501,11/1/2020,is it just me or has twitter basically turned into a group therapy session for biden/democratic supporters i mean i approve since i'll take all the therapy i can get for free. just an observation. vote bidenharris2020 voteblue2020,United States of America,California,CA,Joe Biden,1,0.1\r\n502,11/1/2020,it's despicable and immoral that biden obama and trump's other enemies would use the deaths of 230000 americans as campaign props to take back power while blaming the president for mishandling the covid19 pandemic and not having a plan when just the opposite is true.kag,United States of America,Nevada,NV,Joe Biden,0,-0.9\r\n503,11/1/2020,it's sunday november 1st and joebiden is the most corrupt politician in modern times.  disgusting he'd get even 1 vote.  and the media is complicit in hiding his corruption.,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n504,11/1/2020,it\xe2\x80\x99s christmas now. the only old white dude in a red hat i\xe2\x80\x99ll allow this season is joe joe joe joebiden vote,United States of America,Pennsylvania,PA,Joe Biden,1,0.2\r\n505,11/1/2020,it\xe2\x80\x99s crazy how the us presidency will have more effect on the lives of iranians than the lives of americans. depending on who wins the presidency in the us- millions of iranians would be able to afford bread or not the next day. iran biden miga,United States of America,New York,NY,Joe Biden,2,0\r\n506,11/1/2020,i\xe2\x80\x99m not a superstitious person but i set an alarm and reminder to have the first words out of my mouth today be \xe2\x80\x9cwhite rabbits white rabbits white rabbits\xe2\x80\x9d.  election2020 electionday november1st joebiden,United States of America,California,CA,Joe Biden,1,0.1\r\n507,11/1/2020,i\xe2\x80\x99m with joe biden harris bluewave saveamericafromtrump votethemallout,United States of America,Nevada,NV,Joe Biden,1,0.2\r\n508,11/1/2020,jobs work joebiden biden trump donaldtrump democrats republicans 2020 vote i wish the dnc didn't cheat berniesanders again \xf0\x9f\x98\xaa,United States of America,Ohio,OH,Joe Biden,0,-0.3\r\n509,11/1/2020,joe biden for kind america \xf0\x9f\x92\x99 joebiden votebluetoendthenightmare kindness diversity vote,United States of America,New York,NY,Joe Biden,1,0.6\r\n510,11/1/2020,joe biden must be having a lot of deja vu. the same racist attacks as barack obama only turned up to 11. hunter biden nothingburger fail is all trump has. no plans for the future of america. just stupid attacks as if that is going to somehow win over non-trump voters. joebiden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.3\r\n511,11/1/2020,joebiden,United States of America,Puerto Rico,PR,Joe Biden,1,0.3\r\n512,11/1/2020,joebiden 2 days. joebiden losing strong.,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n513,11/1/2020,joebiden all paws on deck joebiden . champ for the win,United States of America,Texas,TX,Joe Biden,1,0.7\r\n514,11/1/2020,joebiden bidencrimesyndicate bidenharrislandslide2020 trump2020tosaveamerica,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n515,11/1/2020,joebiden bidenharristosaveamerica trumpcrimefamilyforprison trumpcrimefamily bluewave,United States of America,New York,NY,Joe Biden,1,0.3\r\n516,11/1/2020,joebiden campaign be jammin at his rallies philadelphiafreedom \xf0\x9f\x8e\xb6\xf0\x9f\x8e\xb6 msnbc,United States of America,Michigan,MI,Joe Biden,2,0\r\n517,11/1/2020,joebiden campaign launches its own fortnite island days before election slashgear   slashgear,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n518,11/1/2020,joebiden event in ia friday. small crowd there &amp; only 3.6k watched on yt. biden says they could have huge rallies but don\xe2\x80\x99t due to the virus. so why don\xe2\x80\x99t his supporters watch online trump rally same time friday in mi. thousands there in person 150k watched on yt. trust your \xf0\x9f\x91\x80,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n519,11/1/2020,joebiden has more senior moments than ferris bueller,United States of America,New York,NY,Joe Biden,2,0\r\n520,11/1/2020,joebiden joebidenisaracist,United States of America,Georgia,GA,Joe Biden,1,0.3\r\n521,11/1/2020,joebiden lol.  these are the scientists biden plans to follow  maybe it\xe2\x80\x99s cause the economy opened up more and it\xe2\x80\x99s getting colder.  every state has an increase not just the ones with rallies.  ur lying to us which is sick fakenewsmedia vote,United States of America,New York,NY,Joe Biden,0,-0.3\r\n522,11/1/2020,joebiden nope. you oppose fracking. since you oppose fracking you'll lose texas pennsylvania and maybe even virginia. they frack there too. expect to lose michigan and wisconsin as well. how do you think you'll win texas when you hate god guns and oil worst platform ever biden maga,United States of America,New York,NY,Joe Biden,0,-0.6\r\n523,11/1/2020,joebiden racist u are  kamalaharris,United States of America,New York,NY,Joe Biden,1,0.3\r\n524,11/1/2020,joebiden was also a very good looking young man. he would still be with a few visits to beauty salons. oh just kidding. biden is a going to be our next president and we are looking forward to it.,United States of America,Nevada,NV,Joe Biden,1,0.5\r\n525,11/1/2020,joebiden what a bunch of divisive empty rhetoric. how can you use a global pandemic against a sitting president that did everything in his power to save as many lives as possible with 75% of deaths occurring in democrat-run states the us is far richer than 4 years ago. you lied biden,United States of America,New York,NY,Joe Biden,0,-0.7\r\n526,11/1/2020,joebiden will call 911 on trumptrain2020 patriots but antifa is just a myth,United States of America,Florida,FL,Joe Biden,0,-0.7\r\n527,11/1/2020,joebiden your 47 years of doing what biden.,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n528,11/1/2020,join me in supporting joebiden via actblue,United States of America,California,CA,Joe Biden,2,0\r\n529,11/1/2020,joseph campbell\xe2\x80\x99s hero of a thousands faces ricochets in my mind. i have waited for an american hero. \xc2\xa0i found not one but hundreds fauci obama bloomberg cuomo michelle pelosi federal employees protesters essential workers\xe2\x80\xa6. who have i missedjoebiden screamhere,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n530,11/1/2020,js_edit breaking911 realdonaldtrump my exact sentiments biden 2020\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Alabama,AL,Joe Biden,1,0.2\r\n531,11/1/2020,judicial watch announced it filed a foia lawsuit against the dhs for records that the secret service claims to have destroyed related to a reported physical altercation between a secretservice agent &amp; joebiden at a photo op in 2009. read,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n532,11/1/2020,just a friendly reminder that biden is not the only sexist creep running for potus,United States of America,New York,NY,Joe Biden,1,0.1\r\n533,11/1/2020,just a warning to dems in los angeles- noho area. don\xe2\x80\x99t put your biden-harris signs on your lawn secure them to window or elsewhere lowlifes are stealing them losangelesdemocrats northhollywood voteblue biden losangeles,United States of America,California,CA,Joe Biden,0,-0.6\r\n534,11/1/2020,karolcummins brave americans are risking their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n535,11/1/2020,kattykay_ again media pollsters focusing on the wrong issue. the greater issue is whether a  biden presidency would stop the spread of the pandemic rather than a trump debacle causing more relentless deaths.,United States of America,Arizona,AZ,Joe Biden,0,-0.6\r\n536,11/1/2020,kiminla you are the typical cry baby safespace leftist loser who lives in mommy's basement and has issues with authority. it appears you lack the brains to recognize that biden is a demented criminal on the take from china &amp; ukraine. moron,United States of America,California,CA,Joe Biden,0,-0.8\r\n537,11/1/2020,ladygaga joebiden,United States of America,Washington,WA,Joe Biden,1,0.3\r\n538,11/1/2020,liberals are super worried about how the wording that joebiden used was made. here is a factcheck for the lamestreammedia joebiden is superracist and has a serious history of it.,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n539,11/1/2020,listen to the experts \xf0\x9f\xa4\xae my ass scamdemic2020 covid19 covidiots redwave2020 trump2020 joebiden,United States of America,New Mexico,NM,Joe Biden,0,-0.7\r\n540,11/1/2020,lol where joebiden,United States of America,California,CA,Joe Biden,2,0\r\n541,11/1/2020,look at all these punches pussy as punches from biden voters antifascist commandos,United States of America,Georgia,GA,Joe Biden,0,-0.7\r\n542,11/1/2020,love reading trumpstooge responses..if you put them all together there\xe2\x80\x99s a smallchance you could get a semi-coherent sentence.  thedemocrats if you can\xe2\x80\x99t beat this buffoon we might as well build that wall...nobody\xe2\x80\x99s going to want to come to this country ever again. biden\xf0\x9f\xa4\x98\xf0\x9f\x8f\xbc,United States of America,Oregon,OR,Joe Biden,1,0.3\r\n543,11/1/2020,luckily biden\xe2\x80\x99s puppeteer is dead; trump\xe2\x80\x99s is very much alive and living in a moscow.,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n544,11/1/2020,lunes 830am sintoniza almoraradiotv electionday trump biden florida vote decisions2020 elecciones2020,United States of America,Florida,FL,Joe Biden,1,0.1\r\n545,11/1/2020,maddow that's a good question for you to ask and follow-up on live tv  meanwhile the biden campaign better hire some security or volunteers to ride with them.  we've got an election at stake  and trump and the repubs are determined to suppress the vote and steal it call thereval,United States of America,New York,NY,Joe Biden,0,-0.5\r\n546,11/1/2020,maga bidenharris2020 biden bidencares bidenharris trumpcovidhoax trump trumpispathetic trumpisacoward trumpisalaughingstock trumpisamassmurderer trump2020  trump2020landslide trumpforprison2020 fucktrump   freedomofspeech trump2020yearsinprison,United States of America,Texas,TX,Joe Biden,2,0\r\n547,11/1/2020,maildelays in the pivotal state of pa a state seen as key to both  traitortrump &amp; joebiden election the on-time delivery rate was 55.82% in metro philadelphia. usps firedejoy firetrump govote &amp; votethegopout votersuppressionisreal,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n548,11/1/2020,marcorubio not every trump supporter is a racist but every racist is a trump supporter. bidenharris2020 biden bidenharristosaveamerica bidenharris trumpislosing trumpmeltdown,United States of America,New York,NY,Joe Biden,2,0\r\n549,11/1/2020,matt_jakubowski miamipapers yep i'm election texting and watching football - biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.1\r\n550,11/1/2020,me_think_free michaelbeatty3 there\xe2\x80\x99s no secret service. biden is not in that bus.  \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Joe Biden,0,-0.2\r\n551,11/1/2020,meidastouch bidenharris biden covid19 november1st coronavirus trumptrain trumprallymichigan,United States of America,Louisiana,LA,Joe Biden,1,0.3\r\n552,11/1/2020,michaeljknowles i\xe2\x80\x99m certain that the jesus i believe in would preach against blindly following; a liar an adulterer a thief an idolater. it\xe2\x80\x99s time for evangelicals to become reacquainted with becoming a christian and what that truly means. voteblue joebiden joebiden2020,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n553,11/1/2020,michigan florida wake up - trump is not helping the american people. all he cares about is himself and his track record proves it. biden cares about the people and listening to him proves it. vote now for biden &amp; harris - go blue now,United States of America,New York,NY,Joe Biden,2,0\r\n554,11/1/2020,michigan northcarolina pennsylvania florida wisconsin texas vote joebiden is for you.,United States of America,Colorado,CO,Joe Biden,1,0.2\r\n555,11/1/2020,monday biden will campaign in cleveland ohio acc'd to campaign guidance.,United States of America,Washington,WA,Joe Biden,2,0\r\n556,11/1/2020,morethanmysle hunterjcullen \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 i voted joebiden,United States of America,Alabama,AL,Joe Biden,1,0.2\r\n557,11/1/2020,my favourite part of early 2021 will be the biden inaugural. 2nd will be the trump perpwalks,United States of America,California,CA,Joe Biden,1,0.4\r\n558,11/1/2020,my latest podcast \xe2\x80\x9ckamala harris is some kind of witch with zombie cult followers\xe2\x80\x9d. bidencrimefamiiy kamalaharrislies pandering bloodthirsty racecard vengeful witchcraft occult biden slaveowner zombiedetective zombies walkingdead dementia,United States of America,California,CA,Joe Biden,0,-0.1\r\n559,11/1/2020,natesilver538 nate silver saying biden has a 90 percent chance &amp; trump 10 percent is even more absurd than his 2016 hillary 71% final prediction. thisweekabc electionday,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n560,11/1/2020,new  poll shows president trump leadind biden by 7 points in iowa.,United States of America,North Carolina,NC,Joe Biden,0,-0.1\r\n561,11/1/2020,new national .wsj /nbc poll biden 52% trump 42%     via wsj,United States of America,Georgia,GA,Joe Biden,2,0\r\n562,11/1/2020,niaidnews drfauci anthonyfauci be ashamed playing politics with corona. joebiden's plan does not necessarily improve public health. it's sad people believe everything a guy like fauci says--doctors are just educated guessers &amp; his role shouldn't be political. coronavirus,United States of America,Minnesota,MN,Joe Biden,0,-0.5\r\n563,11/1/2020,no to joebiden downballot power move. vote  for tangibles reparations,United States of America,Missouri,MO,Joe Biden,0,-0.2\r\n564,11/1/2020,nonsense.  a biden win will satisfy fauci and every authoritarian lockdown advocate and harmony will spread through the ranks of the ruling class as virus mitigation becomes the only priority liberties and livelihoods be damned.,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n565,11/1/2020,not surprising if the biden camp created this to blame trumpsupporters gain sympathy votes and get off the trial since biden has no clue where he is or what's happening.,United States of America,Florida,FL,Joe Biden,0,-0.9\r\n566,11/1/2020,notmypresident bluewave2020 theresistance flipitblue antitrump unfitforoffice   ruleoflaw deathofdemocracy joebiden2020 joe2020 joebiden bidenharris2020 trumpiscompromised,United States of America,New York,NY,Joe Biden,1,0.4\r\n567,11/1/2020,nov.1 where biden and trump are campaigning today thehill,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n568,11/1/2020,nycojjohnson is that what i wrote let me pull a biden come on,United States of America,Louisiana,LA,Joe Biden,0,-0.4\r\n569,11/1/2020,nytimes why does biden keep thinking he is a great father where he is the one who pushed hunter into drugs by giving him a high pressure complicates job of looting usa taxpayers,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n570,11/1/2020,obama hates bidenits very obvious,United States of America,New Mexico,NM,Joe Biden,0,-0.8\r\n571,11/1/2020,obama is on fire in this videobarackobama realdonaldtrump obama joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n572,11/1/2020,oct. 30 interview on trump v. biden presidential campaign stevechaggaris joelmartinrubin verbdc anandnaidoo cgtnamerica electoralcollege geopolitics,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n573,11/1/2020,ohio dems what are u waiting for message 10+ democrat friends now and remind them to vote don\xe2\x80\x99t regret not voting share biden cincinnati university moms women progress jobs healthcare unions infrastructure covid vote\xc2\xa0\xc2\xa0\xc2\xa0\xc2\xa0cleveland yourvotecounts voteblue,United States of America,New York,NY,Joe Biden,2,0\r\n574,11/1/2020,ok i can no longer laugh about these biden lapses. the guy\xe2\x80\x99s mental capacity is declining precipitously. there is obvious pathology present biden,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n575,11/1/2020,oliverdarcy jaketapper when the liars stfu now bc they realize going on cnn cnnsotu with jaketapper and spewing russian disinfo is gonna wind them up in prison bc biden will win and the doj will be reinstated as a legit.,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n576,11/1/2020,oliviaraisner how to show out the current candidate  biden just standing there.,United States of America,California,CA,Joe Biden,0,-0.2\r\n577,11/1/2020,on election night i will be on cgtnofficial cgtnamerica discussing the election results from midnight to 4am ny time. elections joebiden donaldtrump elections2020,United States of America,New York,NY,Joe Biden,2,0\r\n578,11/1/2020,on sunday election2020 will be fought in 6 battleground states that donaldtrump won last time that he\xe2\x80\x99s defending now joebiden will spend sunday campaigning in pa kamalaharris in ga &amp; nc. donaldtrump will hit 5 states in one day mi nc ia ga &amp; fl. trump needs them all,United States of America,California,CA,Joe Biden,1,0.2\r\n579,11/1/2020,one last push ball to the wall demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n580,11/1/2020,one last push ball to the wall demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n581,11/1/2020,one last push ball to the wall demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n582,11/1/2020,one last push demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n583,11/1/2020,one last push demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n584,11/1/2020,one last push demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n585,11/1/2020,one last push demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n586,11/1/2020,one last pushballs to the wall demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n587,11/1/2020,one last pushballs to the wall demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n588,11/1/2020,one last pushballs to the wall demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n589,11/1/2020,one last pushballs to the wall demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n590,11/1/2020,our final stretch bidenharris musicvideo is at  . i hope it helps inspire you to vote and help get friends to the polls. please share with your friends. find out how to volunteer at  voteblue joebiden kamalaharris newsong,United States of America,California,CA,Joe Biden,1,0.2\r\n591,11/1/2020,padmalakshmi voted early on wednesday in ny and it was easy peasy and under 30 min total. was proud to vote for joebiden and kamalaharris \xf0\x9f\x92\x99,United States of America,New York,NY,Joe Biden,1,0.8\r\n592,11/1/2020,people are voting for a man who doesn\xe2\x80\x99t even have a grasp on who he is electionday joebiden polls quotes trump uselection2020 votersuppression walkaway votered kag americafirst trumppence2020 stopdemocratignorance endmsm endtodnc,United States of America,Indiana,IN,Joe Biden,0,-0.7\r\n593,11/1/2020,pgopinions trump record   climate disaster pandemic defeat massive corruption and a war on workers.  pathetic to endorse pathological liar.   pittsburgh biden steelers philadelphia  pitt pennstate,United States of America,Massachusetts,MA,Joe Biden,0,-0.3\r\n594,11/1/2020,phil2d2 tb_times clear reason why trump doesn\xe2\x80\x99t want all the votes counted   he\xe2\x80\x99s a failure.    biden     bucs tb,United States of America,Massachusetts,MA,Joe Biden,0,-0.2\r\n595,11/1/2020,philadelphia voters - you can drop off ballots tomorrow monday between 9am and 5pm at lincolnfinancialfield lot k. vote bidenharris2020 biden bidenharristosaveamerica biden2020 thelinc eagles,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n596,11/1/2020,please support mikeespyms he got very little support from the national party vote vote voteearly vote biden covid19 coronavirus,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n597,11/1/2020,proud to vote for bidenharristosaveamerica biden to end this madness. \xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n598,11/1/2020,read the fine print on polling. be wary of these results. the margins of error in az and fl mean they could be tied &amp; biden may be slightly ahead in pa.  what matters now are which mailinballots are rejected &amp; who votes on election day.,United States of America,Rhode Island,RI,Joe Biden,0,-0.5\r\n599,11/1/2020,realdonaldtrump explain please. quick - which castro does biden look like a puppet of a castro or does this castro own a biden puppet answers please,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n600,11/1/2020,realdonaldtrump is a criminal &amp; now trumpsupporters  are attacking biden. is this who you want as a president votebluetoendthenightmare,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n601,11/1/2020,realdonaldtrump joebiden thebigguy,United States of America,California,CA,Joe Biden,1,0.3\r\n602,11/1/2020,realdonaldtrump not so mr. president joe biden already won in the matchless name of jesus \xf0\x9f\xa9\xb8 joebiden kamalaharris govwhitmer michigan wisconsin texasforbiden  texas  michigan michiganforbiden joebiden  republicansforbiden trumpterrorist bidenharrislandslide2020 demonchaser,United States of America,Michigan,MI,Joe Biden,0,-0.2\r\n603,11/1/2020,realdonaldtrump vp mike_pence lizzo trixiemattel trolling dumptrump biden vote votethemallout votethemout  factsnotfear factsmatter sciencematters covid19 coronavirus donaldtrump shitshow,United States of America,Washington,WA,Joe Biden,0,-0.6\r\n604,11/1/2020,realdonaldtrump yes please do- thanks for campaigning for biden again donald~,United States of America,Texas,TX,Joe Biden,1,0.8\r\n605,11/1/2020,realdonaldtrump you think exactly like a bully 8th grader and you and your closest followers are pure thugs criminals and fascists. i am going to enjoy the shit show you created that will bring you down you traitor fuck happy election week you nazi stooge. \xf0\x9f\x98\x98\xf0\x9f\x97\xb3 go biden,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n606,11/1/2020,realdonaldtrump your vote will make america great again when you vote for joebiden,United States of America,Florida,FL,Joe Biden,1,0.3\r\n607,11/1/2020,realjameswoods this is definitely worth watching among other things gingrich explains how in 2017/18 upenn received $17m from communist china and paid joebiden $911k,United States of America,New York,NY,Joe Biden,1,0.4\r\n608,11/1/2020,realmattcouch biden is truly out to lunch.,United States of America,Arizona,AZ,Joe Biden,1,0.2\r\n609,11/1/2020,realmickfoley outstanding mick. you\xe2\x80\x99ve used your platform for an immense amount of great things and this is one of them \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 biden,United States of America,Tennessee,TN,Joe Biden,1,0.9\r\n610,11/1/2020,reasons to vote for joe  biden2020 joebiden biden vote,United States of America,New York,NY,Joe Biden,1,0.3\r\n611,11/1/2020,redwaverising trump biden trumpwins,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n612,11/1/2020,report facebook manually censored ny post biden corruption bombshell  via breitbartnews,United States of America,California,CA,Joe Biden,0,-0.6\r\n613,11/1/2020,reviewing new joebiden biography by evan osnos in this weekend\xe2\x80\x99s irishtimesbooks election2020,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n614,11/1/2020,rewinn seanhannity character matters when it fits the narrative. davidduke joebiden,United States of America,West Virginia,WV,Joe Biden,1,0.1\r\n615,11/1/2020,richardgrenell gopchairwoman that is trumpism; not america.  americaneedsbiden  joebiden,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n616,11/1/2020,rock the vote keep the faith or as joebiden's grandmother reminded him spread the faith.,United States of America,Illinois,IL,Joe Biden,1,0.5\r\n617,11/1/2020,scorecard sunday posts are up check out summaries of biden and trump's platforms on climate health and equity. share the ms4sf scorecard in your communities and make your plan to vote by november 3 \xe2\xac\x87\xef\xb8\x8f,United States of America,California,CA,Joe Biden,2,0\r\n618,11/1/2020,seanonolennon you are absolutely right. i spent some of my weekend renting dineshdsouza movies. the trump card and 2016 obama's america ... dinesh was put in jail on a drummed up charge by fbi after he made the movie 2016. trump pardoned him. if biden wins free speech is dead.,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n619,11/1/2020,segunda vez ejerciendo el voto en los united joebiden chingatumaga,United States of America,Colorado,CO,Joe Biden,2,0\r\n620,11/1/2020,so biden supporters... looking good,United States of America,New York,NY,Joe Biden,1,0.3\r\n621,11/1/2020,so can we all agree tonight is the night jimcarrey became presidential joebiden,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n622,11/1/2020,so much evidence and yet you still want trump as your president we need someone who keeps their promises and listens to the doctors votebluetoendthenightmare joebiden dumptrump,United States of America,New York,NY,Joe Biden,0,-0.8\r\n623,11/1/2020,so today i canvassed for biden/harris. two days left. let\xe2\x80\x99s get it ps i got the shirt.\xf0\x9f\x98\x82 bidenharris2020 biden biden2020 bidenharrislandslide2020 outkast stankonia,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n624,11/1/2020,so what does jennymay do while not on twitter...and dont say protecting your biden sign...although that is important,United States of America,Colorado,CO,Joe Biden,0,-0.4\r\n625,11/1/2020,some top reasons to vote\xc2\xa0  for biden,United States of America,Arizona,AZ,Joe Biden,1,0.2\r\n626,11/1/2020,special forces are brave donald trump is not. republicansforbiden specialforces americafirst joebiden bidenharris2020 trumpisacoward trumpisanationaldisgrace trumpisunfitforoffice,United States of America,California,CA,Joe Biden,2,0\r\n627,11/1/2020,still voting biden tho,United States of America,California,CA,Joe Biden,2,0\r\n628,11/1/2020,swatlashoover you are part of the problem  vote biden,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n629,11/1/2020,talkingtom joebiden  via youtube joebiden,United States of America,Florida,FL,Joe Biden,2,0\r\n630,11/1/2020,tap out\xf0\x9f\x91\x89\xf0\x9f\x8f\xbd\xf0\x9f\x91\x89\xf0\x9f\x8f\xbd\xf0\x9f\x91\x89\xf0\x9f\x8f\xbd bloomberg laptopfromhell biden \xf0\x9f\x91\x88\xf0\x9f\x8f\xbe\xf0\x9f\x92\xaf,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n631,11/1/2020,thanks \xf0\x9f\x98\x89bluewave votebiden biden flipthesenateblue votebluedownballot \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99,United States of America,California,CA,Joe Biden,1,0.7\r\n632,11/1/2020,that\xe2\x80\x99s me every time i leave the house biden mask,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n633,11/1/2020,the dem followers loot burn down buildings as peaceful protests but fender bender involving a trump supporter not relinquishing his right of way is a federal case. pansy democrats go screaming to the fbi goons. you have got to be kidding. bidencrimefamiiy biden,United States of America,Oregon,OR,Joe Biden,0,-0.4\r\n634,11/1/2020,the final nbc poll shows biden ahead in the the battleground states way way ahead in the national popular vote and points out that trump has never -- ever -- had a positive number for job performance.,United States of America,District of Columbia,DC,Joe Biden,1,0.4\r\n635,11/1/2020,the harassment of a biden campaign bus on a texas highway by a caravan of trucks with trump flags is not only undemocratic but a dangerous sign  we are at a critical point come tuesday &amp; the nation needs prayer &amp; peacemakers.,United States of America,Missouri,MO,Joe Biden,0,-0.8\r\n636,11/1/2020,the latest the alan fisher daily  biden trump,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n637,11/1/2020,the most badass president of my lifetime. but biden will do for the next 8 years.,United States of America,Texas,TX,Joe Biden,1,0.5\r\n638,11/1/2020,the united states president celebrating targeted harassment and potentially deadly violence. let's vote this sociopath out of office... trump biden texas,United States of America,New York,NY,Joe Biden,0,-0.4\r\n639,11/1/2020,the very clear choice truth over lies joebiden commits to the truth votejoebidenforpresident2020 votejoebidenandkamalaharris vote vote vote \xf0\x9f\x98\xb7\xf0\x9f\x98\xb7\xf0\x9f\x98\xb7\xf0\x9f\x98\xb7\xf0\x9f\x91\x8d\xf0\x9f\x8f\xbe\xf0\x9f\x91\x8d\xf0\x9f\x8f\xbe\xf0\x9f\x91\x8d\xf0\x9f\x8f\xbe\xf0\x9f\x99\x82\xf0\x9f\x98\x8e,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n640,11/1/2020,thedemcoalition ministter this ad is obscene biden wrote the crimebill and harris implemented it with a devastating cruel precision resulting in the black and brown communities being use as slave labor within the prison industrial complex bro.,United States of America,California,CA,Joe Biden,0,-0.9\r\n641,11/1/2020,thehill realdonaldtrump massive disinformations by mediamobs - biden is not even near close potus potus,United States of America,California,CA,Joe Biden,0,-0.6\r\n642,11/1/2020,thehill repeating unsubstantiated stats w/o documented facts about joebiden kamalaharris &amp; other democrats until they may become believed by at least some people is obnoxious tactic being used by trump. this atrocious behavior does not belong in our whitehouse. votebidenharris2020,United States of America,Illinois,IL,Joe Biden,0,-0.4\r\n643,11/1/2020,there is one candidate calling for peace this election. hint it\xe2\x80\x99s not joebiden,United States of America,California,CA,Joe Biden,0,-0.5\r\n644,11/1/2020,there must be an overwhelming landside victory for biden and shut this damn trump down,United States of America,New York,NY,Joe Biden,0,-0.8\r\n645,11/1/2020,therickydavila brudderclyde fbi awesome  great news  that must mean the fbi is done with blm investigation  must be big news tomorrow  biden\xe2\x80\x99slaptopmatters,United States of America,Texas,TX,Joe Biden,1,0.5\r\n646,11/1/2020,thetrueamerica5 let\xe2\x80\x99s dumptrump and elect joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n647,11/1/2020,this 50yo white guy voted for bidenharristosaveamerica biden,United States of America,Washington,WA,Joe Biden,2,0\r\n648,11/1/2020,this country is not going backwards to mayberry anytime soon .biden,United States of America,Georgia,GA,Joe Biden,0,-0.7\r\n649,11/1/2020,this is a great video trump2020 blacksfortrump2020 biden blackvoicesfortrump equality trump2020tosaveamerica 4moreyears 4moreformorejobs draintheswamp votered maga2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,New York,NY,Joe Biden,1,0.9\r\n650,11/1/2020,this is deplorable. we will fix voter suppression when we get a president again. joebiden joebiden2020,United States of America,New York,NY,Joe Biden,0,-0.3\r\n651,11/1/2020,this is what a president sounds like. joebiden dumptrump2020,United States of America,Illinois,IL,Joe Biden,2,0\r\n652,11/1/2020,this is what voter suppression looks like. smh biden trump usa election2020 electionday,United States of America,California,CA,Joe Biden,0,-0.5\r\n653,11/1/2020,this optecfuelintl iwand fits in your pocket &amp; kills 99.9% of the covid-19 virus why does everyone not have this yet rt to help others learn more. covid covid19 covid_19 lockdown lockdownskill trump biden coronaviruspandemic pandemic covid19update $opti awareness,United States of America,California,CA,Joe Biden,1,0.4\r\n654,11/1/2020,this...barackobama obama joebiden obamabasketball makingitlookeasy basketball election2020 generalelection,United States of America,Maryland,MD,Joe Biden,1,0.3\r\n655,11/1/2020,tizzywoman bannerite  these are latinos .  not sure about the other lol biden deporter millions of latinos and did nothing for dreamers in 8 yrs.  hasn\xe2\x80\x99t been forgotten,United States of America,New York,NY,Joe Biden,2,0\r\n656,11/1/2020,today i voted for my preferred enema. vote vote2020 election2020 trump2020 biden needmorethantwoseriouspoliticalparties electioninterference choice hangintherekitty,United States of America,Illinois,IL,Joe Biden,1,0.1\r\n657,11/1/2020,trump biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n658,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n659,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n660,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n661,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n662,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n663,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n664,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n665,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n666,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n667,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n668,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n669,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n670,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n671,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n672,11/1/2020,trump hands off covid19 demcastpa wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.2\r\n673,11/1/2020,trump is toxic...we need to detoxify the presidency. realdonaldtrump bidenharris2020 biden votebluetoendthenightmare votehimout,United States of America,California,CA,Joe Biden,0,-0.1\r\n674,11/1/2020,trump praises texas supporters who surrounded biden-harris bus thehill,United States of America,Texas,TX,Joe Biden,0,-0.5\r\n675,11/1/2020,trump's policies on visa restrictions will inevitably harm imgs applying to the nrmpmatch. i cannot vote so to all my american friends out there please vote biden.,United States of America,Maryland,MD,Joe Biden,0,-0.7\r\n676,11/1/2020,turn back your clocks \xf0\x9f\x95\xb0\xe2\x8f\xb0to a time before trumpvotehimout joebiden daylightsavingtime,United States of America,New York,NY,Joe Biden,0,-0.2\r\n677,11/1/2020,two days vote votehimout vote2020 bluewave2020 bluemoon2020 bluetsunami bidenharristosaveamerica bidenharris2020 bluewall biden harris votebluetoendthenightmare,United States of America,North Carolina,NC,Joe Biden,1,0.1\r\n678,11/1/2020,unbelievable biden pledges to \xe2\x80\x98collaborate\xe2\x80\x99 with ccp in chinese-language newspaper,United States of America,Oklahoma,OK,Joe Biden,1,0.4\r\n679,11/1/2020,unca_laguna realmickfoley you have no idea what you're talking about. e.g. there is no tenable legal argument to throw out 100000 curbside votes in harris county texas when the texas supreme court approved it. people died for our right to vote so we wouldn't have to die just to exercise it. vote biden,United States of America,California,CA,Joe Biden,0,-0.5\r\n680,11/1/2020,update the fbi in san antonio confirms it is investigating the reports. biden trump 2020election,United States of America,Texas,TX,Joe Biden,2,0\r\n681,11/1/2020,usatoday i'd like to believe this but 2016 taught me different; it ain't over til its over.  biden bidenharris2020 dumptrumpdaynov3,United States of America,New York,NY,Joe Biden,2,0\r\n682,11/1/2020,very powerful message by dsouldavis   gospel inspirational soul rock peace god spiritual protest music  democrats republicans election election2020  wildfires colorado california florida stimulus breonnataylor joebiden itsgabrielleu,United States of America,Nevada,NV,Joe Biden,1,0.7\r\n683,11/1/2020,veterans vote for biden trump insults your bravery and service,United States of America,California,CA,Joe Biden,0,-0.7\r\n684,11/1/2020,vote bidenharris joebiden american america usa \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Joe Biden,1,0.3\r\n685,11/1/2020,vote for biden then. girls shouldn\xe2\x80\x99t be allowed anywhere near the p*ssy grabber.,United States of America,Washington,WA,Joe Biden,0,-0.4\r\n686,11/1/2020,vote for communism suppression coercive restrictions on our everyday freedoms vote for the end of the american dream for no diversity of thought for irrationality vote for removing our guns vote for joebiden not. twodays maga2020 votered,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n687,11/1/2020,vote for joebiden,United States of America,California,CA,Joe Biden,1,0.2\r\n688,11/1/2020,vote not only for the future but for the generations that came before us and fought for our rights to be heard wings butterflies freedom power strength yes blue biden harris america peace elections,United States of America,California,CA,Joe Biden,1,0.2\r\n689,11/1/2020,vote voteinperson joebiden bidenharris,United States of America,Florida,FL,Joe Biden,1,0.3\r\n690,11/1/2020,votebiden bc it\xe2\x80\x99s right it\xe2\x80\x99s not like you have to change bumper stickers or publicize your vote americaortrump countryoverparty endtrumpnightmare 2020election trumpliesamericansdie ivotedearly voteagainsttrump biden inspirechange voteforourlives enoughisenough,United States of America,Alaska,AK,Joe Biden,0,-0.5\r\n691,11/1/2020,votelikeyourlifedependsonit joebiden kamalaharris,United States of America,Tennessee,TN,Joe Biden,1,0.3\r\n692,11/1/2020,votersuppression votebluetoendthenightmare vote2020 votehimoutandlockhimup bidenharristosaveamerica biden,United States of America,Texas,TX,Joe Biden,1,0.4\r\n693,11/1/2020,wall street has been warming to the idea that a joe biden presidency would be bullish for stocks. but there are strings attached. vote joebiden bluewave  via markets,United States of America,California,CA,Joe Biden,0,-0.2\r\n694,11/1/2020,we must get all our friends out to vote  it\xe2\x80\x99s our chance to show the world what american democracy is all about. time for change. we\xe2\x80\x99re better than this. biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n695,11/1/2020,welp...someone stole our biden/harris sign out if our front yard last night. we are still voting for joebiden . vote vote vote,United States of America,New York,NY,Joe Biden,0,-0.1\r\n696,11/1/2020,wewillvote countryoverparty biden,United States of America,California,CA,Joe Biden,1,0.3\r\n697,11/1/2020,what is joe biden\xe2\x80\x99s favorite full moon\xe2\x80\xa6 the hunter moon.  election2020 debates2020 biden,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n698,11/1/2020,what\xe2\x80\x99s up with the biden scandal   bidenharris2020,United States of America,New York,NY,Joe Biden,0,-0.6\r\n699,11/1/2020,when biden wins if blue dream doesn't sell out at every dispensary in america then this isn't the america that i want to live in bidenharris2020 joebiden 2020election,United States of America,South Carolina,SC,Joe Biden,0,-0.6\r\n700,11/1/2020,when i read this it made me so angry. not only do trump supporters want to suppressthevote they also want to kill biden supporters,United States of America,California,CA,Joe Biden,0,-0.8\r\n701,11/1/2020,who is going to with the election2020 trump or biden  let us know \xf0\x9f\x91\x87,United States of America,New York,NY,Joe Biden,0,-0.2\r\n702,11/1/2020,who remembers the gas shortages from the 70s &amp; remembers being told \xe2\x80\x9cout of gas\xe2\x80\x9d pittsburgh pennsylvania.  don't want that again texas michigan wisconsin nebraska ohio florida  maga realdonaldtrump biden nodarkwinter truckers energystrong energyindependence cnn,United States of America,Pennsylvania,PA,Joe Biden,0,-0.6\r\n703,11/1/2020,why hasn\xe2\x80\x99t george w bush endorsed joe biden yet joebiden vote2020,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n704,11/1/2020,why it has to be biden.,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n705,11/1/2020,will you support biden contributions in florida,United States of America,Florida,FL,Joe Biden,1,0.1\r\n706,11/1/2020,wow the smear campaigns are real gettemjoe joewhaddyaknow joebiden,United States of America,Maryland,MD,Joe Biden,1,0.2\r\n707,11/1/2020,wsj endorsed joebiden .  this is a big one.,United States of America,Texas,TX,Joe Biden,1,0.1\r\n708,11/1/2020,wxandnews these trump supporters will shocked when texas goes for biden,United States of America,New York,NY,Joe Biden,0,-0.5\r\n709,11/1/2020,yashar darkness and seasonal depression sounds like the entire joebiden campaign.,United States of America,Illinois,IL,Joe Biden,0,-0.5\r\n710,11/1/2020,yelling it louder for the folks in the back your vote matters look at how close the race is in northcarolina. realclearnews says biden is only up over trump by .3 points. that equals out to 22027 registered voters. spread the word ncpol,United States of America,North Carolina,NC,Joe Biden,0,-0.3\r\n711,11/1/2020,yes  biden americaneedsjoe votethemallout votebluetosaveamerica,United States of America,Washington,WA,Joe Biden,1,0.3\r\n712,11/1/2020,yes zoey casts her pup-ballot for champ &amp; major biden for firstdogs in the bidenwh \xf0\x9f\x90\xb6 let\xe2\x80\x99s go \xf0\x9f\x90\xbe  vote bidenharris2020 \xf0\x9f\x90\xbe\xf0\x9f\x90\xbe\xf0\x9f\x90\xbe\xf0\x9f\x90\xbe\xf0\x9f\x90\xbe\xf0\x9f\x90\xbe\xf0\x9f\x90\xbe\xf0\x9f\x90\xbe\xf0\x9f\x90\xbe\xf0\x9f\x90\xbe\xf0\x9f\x90\xbe,United States of America,Florida,FL,Joe Biden,1,0.2\r\n713,11/1/2020,you're a walking contradiction if you support blm and joebiden. biden would have all blm predators locked up if he had his way.. again. joebiden,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n714,11/1/2020,zamoracode what an idiot\xe2\x80\xbc\xef\xb8\x8fi\xe2\x80\x99ve seen videos biden is a pedophile but i hate trump so i voted for joebiden \xe2\x81\x89\xef\xb8\x8f make it make sense\xe2\x80\xbc\xef\xb8\x8f\xf0\x9f\x99\x84,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n715,11/1/2020,\xe2\x80\x94- minishmael noisundays election vote trump biden,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n716,11/1/2020,\xe2\x80\x94- minishmael noisundays election vote trump biden,United States of America,Illinois,IL,Joe Biden,0,-0.1\r\n717,11/1/2020,\xe2\x80\x94- minishmael truth  noisundays election vote trump biden,United States of America,Illinois,IL,Joe Biden,0,-0.3\r\n718,11/1/2020,\xe2\x80\x98my god what are we dealing with\xe2\x80\x99 joe biden the \xe2\x80\x98hot favourite\xe2\x80\x99 to win ...  via youtube joebiden joebiden2020 hunterbiden,United States of America,California,CA,Joe Biden,1,0.1\r\n719,11/1/2020,\xe2\x80\x9chey i don\xe2\x80\x99t want to see where i\xe2\x80\x99ve been. i wanna see how cool i look getting there.\xe2\x80\x9d fonzie \xf0\x9f\x98\x8e biden,United States of America,California,CA,Joe Biden,1,0.1\r\n720,11/1/2020,\xe2\x80\x9cthat\xe2\x80\x99s why i have to show you the bigger picture so that when you make your decision you make it wisely...- farrakhan\xe2\x80\x9d\xe2\x80\x94- minishmael noisundays election vote trump biden,United States of America,Illinois,IL,Joe Biden,0,-0.6\r\n721,11/1/2020,\xe2\x80\x9ctrump is the most flawed human being i have known.\xe2\x80\x9d former trump cabinet appointee.  therealdonaldtrump nevertrump voteblue2020 biden moscowmitch neveragain .,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n722,11/1/2020,\xe2\x81\xa6natesilver538\xe2\x81\xa9 a strong win by \xe2\x81\xa6joebiden is 90% likely \xc2\xab\xc2\xa0barring anti-constitutional shenanigans\xc2\xa0\xc2\xbb by trump.,United States of America,California,CA,Joe Biden,2,0\r\n723,11/1/2020,\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99democrats on edge \xf0\x9f\xa6\x84\xf0\x9f\xa6\x84\xf0\x9f\xa6\x84 biden trump \xf0\x9f\x8c\xbb\xf0\x9f\x8c\xbb\xf0\x9f\x8c\xbb,United States of America,Texas,TX,Joe Biden,1,0.3\r\n724,11/1/2020,\xf0\x9f\x92\xaf vote biden,United States of America,Texas,TX,Joe Biden,1,0.2\r\n725,11/1/2020,\xf0\x9f\x92\xafa cult will always back its leader wear his hats ignore his missteps believe only his wordsa cult will do things that are against the norm because the cult leader makes it a new norm a cult will go as far as murder covid ignorance trumpcult votehimout biden voteblue,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n726,11/1/2020,\xf0\x9f\x93\xa3 new podcast choo ep 40 bday cart guy and pants make you an uncle lip kisser on spreaker aaroncarter biden carterverse cnn eagles election2020 fakenews famousamos florida friends michigan netflix onedirection pennsylvania rizzo,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n727,11/1/2020,\xf0\x9f\x97\xa3\xe2\x80\x9dspread the faith.\xe2\x80\x9d -biden vote biden,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n728,11/1/2020,\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x92\xa6 buying your bullshoot dems. bidenbus biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb,United States of America,New York,NY,Joe Biden,2,0\r\n729,11/1/2020,\xf0\x9f\xa4\xae joebiden creepyjoebiden,United States of America,New York,NY,Joe Biden,2,0\r\n730,11/2/2020,a vote for biden gets americans one step closer to communism / socialism vote with caution,United States of America,California,CA,Joe Biden,2,0\r\n731,11/2/2020,this us who they are  democrats  elections trump biden mmflint,United States of America,New York,NY,Joe Biden,0,-0.4\r\n732,11/2/2020,trump trumpnotfitforoffice resist biden2020 biden bidenharris2020tosaveamerica,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n733,11/2/2020,$spx $spy 2020election if trump can keep south tx fl ga nc and az and oh even if biden wins mn wi mi it all comes down to pa.  if trump takes pa he wins. if biden does he wins.  but if trump wins all tho...,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n734,11/2/2020,.biden's health-care proposal would expand aca health insurance plans to more americans by increasing premium subsidies and tax credits and adding a new publicoption plan modelled after the medicare programme. thelancet,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n735,11/2/2020,.realdonaldtrump-angry that he couldn\xe2\x80\x99t rush a vaccine. he thrives on riots-a result of his own divisive rhetoric. i won\xe2\x80\x99t forget he &amp; wh staff celebrating hurting people in lafayettesquare. biden will empower fauci so that we can see our loved ones. stop the lying.\xe2\xac\x87\xef\xb8\x8fvote,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n736,11/2/2020,11/3/2020- the finish line presidentialrace 2020race 2020election decision2020 trump biden donaldtrump joebiden trump2020 biden2020,United States of America,Tennessee,TN,Joe Biden,2,0\r\n737,11/2/2020,20% of black vote going to trump youaintblack comment screwed joegaff joebiden is a fool obama knew it and still does. vote bidencrimefamiiy would be fun for only a bit til they allgo to jail and we would be stuck with sleepurwaytothetop kamala cnn,United States of America,Florida,FL,Joe Biden,0,-0.8\r\n738,11/2/2020,2020 election national state local up-to-the-minute race results. stay with news 12 for continuing coverage.\xe2\x81\xa0 vote2020 electionday trump biden usa news12,United States of America,New York,NY,Joe Biden,1,0.1\r\n739,11/2/2020,2020election biden can still lose to trump if trump holds the south plus arizona and this happens in pennsylvania... click the link/pic...,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n740,11/2/2020,2a nra biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb bidenharris2020\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb trump2020\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 mondaythoughts mondayvibes,United States of America,New York,NY,Joe Biden,1,0.3\r\n741,11/2/2020,82_and_0 benshapiro voting for biden is like going to a potluck dinner.  you anticipate having a decent meal but end up with a crapshoot in selection.  becarefulwhatyouwishfor dontthrowawayyourvote,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n742,11/2/2020,a big thank you to all of my new followers in the lead up to electionday stay tuned for more input and analysis as the big day approaches and america decides between trump and biden,United States of America,Massachusetts,MA,Joe Biden,1,0.9\r\n743,11/2/2020,a long island \xe2\x80\x9cman named roysilber w/ corcorangroup\xe2\x80\x9d illegally ripped up biden signs &amp; has exhibited intimidating behavior at polling places. be aware in nassaucounty as for corcorangroup if this idiot is representative of the company take your business elsewhere. retweet,United States of America,California,CA,Joe Biden,0,-0.4\r\n744,11/2/2020,a vote for biden is a vote for disaster socialism mandatory lockdowns unemployment and would surely send us into a depression like we haven't seen in most of our lifetimes. a vote for trump is a vote for continued prosperity and hope for our future.,United States of America,Arizona,AZ,Joe Biden,2,0\r\n745,11/2/2020,a vote for biden is a vote for fauci. i want to live. i don\xe2\x80\x99t want to die for some selfish scumbag and his scumbag family. how about you,United States of America,New York,NY,Joe Biden,0,-0.1\r\n746,11/2/2020,a vote for biden is like saying a potlucksupper is your favorite dinner.  whosaysthat election2020,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n747,11/2/2020,after prayer and deep introspection these white evangelical christians have decided they can no longer support trump.   via huffpostpol ctmagazine amenews lifenewsandmore pastor__west pastoreaadeboye biden christian sojourners,United States of America,Massachusetts,MA,Joe Biden,0,-0.3\r\n748,11/2/2020,airline pilot click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet as many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n749,11/2/2020,alaskan_patriot yep joebiden just jumpedtheshark w/this video. out of touch dems don\xe2\x80\x99t have a  clue on what is making america  run out to the polls tomorrow. trump2020landslidevictory,United States of America,Illinois,IL,Joe Biden,2,0\r\n750,11/2/2020,alexisstargazer eiggam5955 all will change for many people. eviction stays keeping many in their home. many americans getting food at food banks. a lot of friends &amp; family dying or you can't see them. jobs are unstable. it's clear that will persist w/trump who has given up on corona biden gives hope,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n751,11/2/2020,all i hear is that police departments are their to protect all americans yet they endorse &amp; support trump who has proven to stoke racial divide which causes protesting  &amp; even riots causing violence voteforamericaselfie phillyprotests americaortrump philadelphia biden,United States of America,Tennessee,TN,Joe Biden,0,-0.7\r\n752,11/2/2020,all my support to the next u.s.a president and vice president biden &amp; harris mi apoyo a los pr\xc3\xb3ximos presidente y vicepresidenta de los estados unidos biden y harris joebiden kamalaharris joebiden2020 election2020 fucktrump,United States of America,New York,NY,Joe Biden,1,0.2\r\n753,11/2/2020,america mediabias and fakenews explained ahead of election2020  realdonaldtrump americafirst trump biden markknoller rnc dnc pelosi bloomberg cnbc foxbusiness abc cnn msnbc breitbart tmz foxnews seanhannity wolfblitzer theblaze wapo,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n754,11/2/2020,americaneedspennsylvania biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n755,11/2/2020,angelgotti5 foxnews foxbusiness cnn king5seattle realdonaldtrump mind you though i did not vote for either trump or biden. i voted for the two candidates most like senator berniesanders / sensanders because of the latter\xe2\x80\x99s progressive healthcare ideas &amp; ideals.,United States of America,Michigan,MI,Joe Biden,0,-0.1\r\n756,11/2/2020,another reason to vote for biden  fauci,United States of America,Maryland,MD,Joe Biden,2,0\r\n757,11/2/2020,any president any president with any moral character would have decried this behavior as against everything america stands for but not donaldtrump. trump encourages this anger &amp; hatred &amp; divides the country instead of uniting it. withbidenwecan bidenharris2020 joebiden,United States of America,California,CA,Joe Biden,0,-0.4\r\n758,11/2/2020,ap one trump failure after another. when a real scientist is brought to the table trump and his minions are unable to grasp that science is real. and they are contributing to the problem vs. taking any action to help improve it. denial is not a strategy. biden trumpmeltdown,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n759,11/2/2020,are still needed - even if you consider them a necessary evil. there\xe2\x80\x99s a certain talent &amp; knowledge or there was in being a politician &amp; knowing how to work to get things done. joebiden is one of those kind. and he needs to restore his principles his values which are really,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n760,11/2/2020,are trumpcaravan idiots going to block all the roads so people can\xe2\x80\x99t get to the polls on election day  bet they try and i bet in many places police do nothing.  trumpisaloser bidenharris2020 biden bidenharrislandslide,United States of America,Washington,WA,Joe Biden,0,-0.2\r\n761,11/2/2020,are u a real america then fight for our constitution. go to my page &amp; retweet some of my 25000 tweets that r against trump &amp; for joe. flood twitter. demcast wtpsenate wtpblue wtpbiden blm msnbc joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n762,11/2/2020,arianagrande hates this country. she was caught on camera saying so. so there\xe2\x80\x99s no shock she supports  joebiden &amp; kamalaharris who also hate this country. trump2020,United States of America,New York,NY,Joe Biden,0,-0.4\r\n763,11/2/2020,artsforchange artofthedaysac uselections2020 electionday biden biden2020,United States of America,California,CA,Joe Biden,1,0.4\r\n764,11/2/2020,awe... i kinda feel bad for biden \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f he totally should\xe2\x80\x99ve sent hunter biden to a remote island a year ago.,United States of America,Georgia,GA,Joe Biden,2,0\r\n765,11/2/2020,bad move by foxnews just now dumping out of the trump rally right when they started to play the biden crazy video.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n766,11/2/2020,barackobama you and dewey should meet some day i would love to see dewey at the inauguration of our next president joebiden,United States of America,New York,NY,Joe Biden,1,0.9\r\n767,11/2/2020,based on the last ten polls including polls that were reported today for the first time shows joebiden\xe2\x80\x99s average national popular vote at 51.3% and donaldtrump\xe2\x80\x99s average national popular vote at 44.2%. read today's lunchtimepol to learn more,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n768,11/2/2020,batman is here to save america vote joebiden votehimeout,United States of America,California,CA,Joe Biden,1,0.1\r\n769,11/2/2020,behind biden electionnight stage. what will he be thinking as he takes these final steps,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n770,11/2/2020,believe biden bidenharristosaveamerica,United States of America,Florida,FL,Joe Biden,2,0\r\n771,11/2/2020,benigma2017 alphadogspartan who can talk more from shit - biden or trump we are fucked no matter who wins,United States of America,New York,NY,Joe Biden,0,-0.8\r\n772,11/2/2020,beware live twitter tracking tool hamilton68 operated by the alliance for securing democracy had recorded russian bots and trolls helping to amplify the walkaway hashtag.  votebluetoendthenightmare  biden bluewave2020 votebluedownballot,United States of America,Michigan,MI,Joe Biden,0,-0.2\r\n773,11/2/2020,biden,United States of America,California,CA,Joe Biden,1,0.3\r\n774,11/2/2020,biden,United States of America,California,CA,Joe Biden,1,0.3\r\n775,11/2/2020,biden,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n776,11/2/2020,biden,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n777,11/2/2020,biden,United States of America,Michigan,MI,Joe Biden,1,0.3\r\n778,11/2/2020,biden,United States of America,Virginia,VA,Joe Biden,1,0.3\r\n779,11/2/2020,biden  voters,United States of America,California,CA,Joe Biden,0,-0.3\r\n780,11/2/2020,biden &amp; obama kept generalmotors alive. trumppence2020 let gm die. this choice could not be not be more black and white for michigan auto workers. let\xe2\x80\x99s go michiganforbiden bidenharris2020,United States of America,New York,NY,Joe Biden,1,0.1\r\n781,11/2/2020,biden attacks trump for doctors claim.  biden trump election2020,United States of America,New York,NY,Joe Biden,0,-0.2\r\n782,11/2/2020,biden fraud eagles philadelphia trump vote lawandorder walkaway chinajoe,United States of America,California,CA,Joe Biden,0,-0.7\r\n783,11/2/2020,biden harris bidenharris2020 trump trump2020 redwaverising,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n784,11/2/2020,biden is spewing doom and gloom while trump and his supporters are positive and fired up.,United States of America,Illinois,IL,Joe Biden,0,-0.4\r\n785,11/2/2020,biden isn\xe2\x80\x99t consuming copious amounts of uppers to keep him going like trump is and trump is still low energy only talking  about himself and hosting superspreader events that he leaves his supporters out in the heat and cold he is a total pos and so are you eff off biden,United States of America,Missouri,MO,Joe Biden,0,-0.8\r\n786,11/2/2020,biden must win.,United States of America,Ohio,OH,Joe Biden,1,0.5\r\n787,11/2/2020,biden never cheated on his wife's.. realdonaldtrump cheated on his 1st wife w/2nd &amp; cheated on 2nd w/the 3rd cheated on the 3w/a pornstar then cheated on the pornstar w/a hooker. and w/6 bankrupties how much of the debt is his &amp; why is he called a bizman.. he's a failure,United States of America,Ohio,OH,Joe Biden,0,-0.8\r\n788,11/2/2020,biden next president of the united states. votehimout trumplies trump is a race-baiting xenophobic traitor.,United States of America,California,CA,Joe Biden,0,-0.3\r\n789,11/2/2020,biden should win this handily but the pundits are terrified of calling it too soon and for good reason,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n790,11/2/2020,biden supera a trump por 10 puntos a nivel nacional -  evnews joebiden donaldtrump eeuu,United States of America,Florida,FL,Joe Biden,1,0.7\r\n791,11/2/2020,biden truth,United States of America,California,CA,Joe Biden,1,0.2\r\n792,11/2/2020,biden up by 10 points in new national poll. biden poll thehill,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n793,11/2/2020,biden will defeattrump by a landslide2020,United States of America,Missouri,MO,Joe Biden,2,0\r\n794,11/2/2020,biden will destroy medicare with his public care option. votered,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n795,11/2/2020,biden you need to point out that the \xe2\x80\x98largest tax cut\xe2\x80\x99 was only for rich people.,United States of America,New York,NY,Joe Biden,0,-0.8\r\n796,11/2/2020,bidenharris2020 biden trumpmeltdown trumpcrimefamily trumpforprison2020 trump bluewave2020,United States of America,New York,NY,Joe Biden,2,0\r\n797,11/2/2020,bluecheese911 redistrict cookpolitical yeah no shock that gives trump a narrow - narrow - win - also not in the realm of reality ncw were 37% of voters in '16 they're not going to be 47% in '20. not to mention even if so tiny little movement to biden to 33% &amp; he wins not writing off trump btw,United States of America,New York,NY,Joe Biden,0,-0.7\r\n798,11/2/2020,boardedupstores are another sign of electionanxiety\xc2\xa0  voxdotcom news boardedupbusiness electiondayprotests electionday protests election2020 electionnight elections2020 2020elections 2020election trump biden trumpispathetic bidenharris2020,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n799,11/2/2020,brave americans are risking their lives to vote early. no matter what the poll surveys say vote for joebiden bidenharris &amp; down-ballot democratic as if your life depends on it because it just might the life you save just might be your own.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n800,11/2/2020,btmzip cooperstulpa redistrict cookpolitical trump won them by *ballpark* similar margins in '16 9% in tx 8.1% in oh. i think biden ultimately wins the election reasonably comfortably. not sure i think either of these states flip but the changing tx demographics &amp; maybe the turnout make it interesting,United States of America,New York,NY,Joe Biden,1,0.2\r\n801,11/2/2020,budgothmog44 votehimoutinnov crispus98259749 i've been in shock since election night 2016 &amp; could not have ever predicted this is where we'd be this is a dogfight good vs evil it is so depressing &amp; scary... voteblue biden,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n802,11/2/2020,businesses in downtown boston  are boarding up their windows in preparation for the results of tomorrow\xe2\x80\x99s election.  election2020 civilunrest boston trump biden,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n803,11/2/2020,but he literally said there was nothing wrong with it. with ramming into a biden staffers car. nope. totally cool. i hate him with all the hate i was born with and will die with. trumpterroism votebluetoendthenightmare votebidenhesanadult bidenharristosaveamerica biden,United States of America,California,CA,Joe Biden,0,-0.1\r\n804,11/2/2020,byedon  biden vote,United States of America,Washington,WA,Joe Biden,1,0.2\r\n805,11/2/2020,californiabeto this is so powerful &amp; superb i love the biden dress and wonder woman mask bidenharris,United States of America,California,CA,Joe Biden,1,0.9\r\n806,11/2/2020,call/text all your friends and family and tell them that we are all in this together.  we will win.  we will save the world. vote joebiden kamalaharris bidenharris2020 biden bidenharristosaveamerica,United States of America,California,CA,Joe Biden,1,0.4\r\n807,11/2/2020,can someone in the left wing media like jaketapper maggienyt chriscuomo wake up joebiden and get him to answer this before election2020 is over he\xe2\x80\x99s running out of time.,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n808,11/2/2020,cannot stress this enough. protect her arsd cybermonday election2020 electionday 2020election joebiden mondaymotivation trump uselections2020 voteresponsibly weloveyouten waytooearly youtuber kjgbrks,United States of America,Missouri,MO,Joe Biden,2,0\r\n809,11/2/2020,can\xe2\x80\x99t wait for it to read donald jailed trump. notmypresident vote vota biden,United States of America,New York,NY,Joe Biden,1,0.2\r\n810,11/2/2020,charliekirk11 jimjimzen agree. noticed all of sudden biden wants god to bless us and our troops. and we are the usa not red and blue. it\xe2\x80\x99s a little late for your talk of unity joe. your 47 years of bullshit is not working anymore. it\xe2\x80\x99s a trump2020landslide. retire quietly.,United States of America,Arizona,AZ,Joe Biden,0,-0.2\r\n811,11/2/2020,check it out -&gt;  election2020 electionday electioneve electiontwitter electionpoll electionnight trump biden bidenharris2020,United States of America,Georgia,GA,Joe Biden,1,0.1\r\n812,11/2/2020,check out what i just listed on mercari. tap the link to sign up and get up to $30 off. nfl steelernation autographs covid19 joebiden,United States of America,Wisconsin,WI,Joe Biden,1,0.1\r\n813,11/2/2020,chills.  let's do this america. bidenharris2020tosaveamerica biden votebiden,United States of America,Illinois,IL,Joe Biden,1,0.3\r\n814,11/2/2020,chizmaga biden is fighting for china \xf0\x9f\x87\xa8\xf0\x9f\x87\xb3..trump is fighting for the american \xf0\x9f\x87\xba\xf0\x9f\x87\xb8people,United States of America,California,CA,Joe Biden,0,-0.4\r\n815,11/2/2020,chuckwoolery if the truth fits.... joebiden votebidenharristosaveamerica,United States of America,Virginia,VA,Joe Biden,2,0\r\n816,11/2/2020,churchoflazlo biden votebluetoendthenightmare,United States of America,Missouri,MO,Joe Biden,1,0.3\r\n817,11/2/2020,claytravis just add another to the biden list of lies,United States of America,Kentucky,KY,Joe Biden,0,-0.5\r\n818,11/2/2020,clearly joebiden is a puppet and not the sharpest tool in the shed. kamalaharris however is an evil power grabber and we cannot let her obtain steal or otherwise win by forfeit the highest office in the great unitedstates \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 votetrump2020 maga kag,United States of America,Illinois,IL,Joe Biden,0,-0.7\r\n819,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet as many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n820,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet as many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n821,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n822,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n823,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n824,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n825,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n826,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n827,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n828,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n829,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n830,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n831,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n832,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n833,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n834,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n835,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n836,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n837,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n838,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n839,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n840,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n841,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n842,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n843,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n844,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n845,11/2/2020,click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n846,11/2/2020,cnn cnn points out 1 video one do you ever mention the dozens of videos that aren't edited i mean nobody needs to edit a biden video to make him look bad he does that all on his own. must be someone on your side because we don't need more joebiden gaffe videos more bs,United States of America,Pennsylvania,PA,Joe Biden,0,-0.8\r\n847,11/2/2020,counteveryvote bidenharristoendthisnightmare bidenharristosaveamerica elecciones2020 elections2020 biden firethetrumpregime defenddemocracy bidenharris2020 endthechaos election2020 bidenharris2020tosaveamerica,United States of America,Louisiana,LA,Joe Biden,1,0.4\r\n848,11/2/2020,counteveryvote bidenharristoendthisnightmare bidenharristosaveamerica elecciones2020 elections2020 biden firethetrumpregime defenddemocracy bidenharris2020 endthechaos election2020 bidenharris2020tosaveamerica,United States of America,Louisiana,LA,Joe Biden,1,0.4\r\n849,11/2/2020,counteveryvote bidenharristoendthisnightmare bidenharristosaveamerica elecciones2020 elections2020 biden firethetrumpregime defenddemocracy bidenharris2020 endthechaos election2020 bidenharris2020tosaveamerica,United States of America,Louisiana,LA,Joe Biden,1,0.4\r\n850,11/2/2020,counteveryvote vote votebidenharristosaveamerica election2020 electionday votehimoutandlockhimup voteearly bidenharris biden,United States of America,Illinois,IL,Joe Biden,1,0.2\r\n851,11/2/2020,dameyankee you found a photo of joebiden's largest crowd \xf0\x9f\x98\x82,United States of America,Alabama,AL,Joe Biden,1,0.5\r\n852,11/2/2020,damn...if hunter is the smartest guy joebiden knows then i\xe2\x80\x99m really worried now. laptopfromhell bidencrimefamiiy trump2020,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n853,11/2/2020,damnit joe \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f joebiden election2020 biden2020 trump2020 trump,United States of America,Texas,TX,Joe Biden,2,0\r\n854,11/2/2020,dear pennsylvania dems independents &amp; moderate repubs this election is about ending covid19 saving healthcare &amp; the economy fighting racism &amp; corruption saving the planet restoring truth decency justice. please vote biden. pls rt so as many pa folks as poss see it,United States of America,New York,NY,Joe Biden,0,-0.3\r\n855,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n856,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n857,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n858,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n859,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n860,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n861,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n862,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n863,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n864,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n865,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n866,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n867,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n868,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n869,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n870,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n871,11/2/2020,demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n872,11/2/2020,democracy is important to them above all else. they cherish basic decency in human interaction. they oppose fascism  &amp; racism. they believe that immigrants should get a fair shake at the american dream. elections israel jews biden trump democracy,United States of America,California,CA,Joe Biden,0,-0.3\r\n873,11/2/2020,disney disney orlando universalorl election2020 disneyplus disneyparks waltdisneyworld orlandomagic fox35orlando florida biden fightfor15 fucktrump,United States of America,Massachusetts,MA,Joe Biden,1,0.4\r\n874,11/2/2020,do you have to wear a mask no. is it strongly suggested you betcha. see what other covid-19 precautions you'll see at the polls tomorrow fox43 vote polls vote election masks mask coronavirus biden trump joebiden donaldtrump,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n875,11/2/2020,donald trump na joe biden mu myiyamamazo yabo ya nyuma,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n876,11/2/2020,dotyrorie funder joebiden i voted for joebiden because he has a conscience.,United States of America,California,CA,Joe Biden,2,0\r\n877,11/2/2020,drop your ballot off or take it to the polls tomorrow in pa  please use your ballot it is your voice in democracy biden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n878,11/2/2020,education split the college degree is dividing america  via chronicle trump biden electionday election2020 highered,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n879,11/2/2020,een jaar lang schreven we toe naar 3 nov. onze beste verhalen en een paar nieuwe bundelde  we in dit boek. met voorwoord van mariekenos nu te koop via  of  elections2020 trump biden covid,United States of America,Maryland,MD,Joe Biden,1,0.8\r\n880,11/2/2020,election day is tomorrow and people just need to go and vote if they want to make a change. election2020 vote2020 vote presidentialvote president joebiden joebiden2020,United States of America,Florida,FL,Joe Biden,0,-0.2\r\n881,11/2/2020,election night 2020 national state local up-to-the-minute race results. live coverage all night starting at 9pm on november 3rd on news 12. \xe2\x81\xa0vote2020 electionday trump biden news12,United States of America,New York,NY,Joe Biden,2,0\r\n882,11/2/2020,election2020  when joebiden saved \xe2\x80\x98roevwade\xe2\x80\x99| davidsouter nationalcatholicregister abortion warrenrudman plannedparenthoodvcasey,United States of America,Ohio,OH,Joe Biden,0,-0.3\r\n883,11/2/2020,election2020 joebiden batman biden2020,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n884,11/2/2020,election2020 poll trump biden,United States of America,California,CA,Joe Biden,1,0.2\r\n885,11/2/2020,election2020 trump and biden campaign in battleground states with 2 days left till election day 2020. |,United States of America,Nevada,NV,Joe Biden,2,0\r\n886,11/2/2020,electionday is this tuesday are you going to vote does the black &amp; latin vote count the ctfs crew hit the streets to interview republican &amp; democratic constituents. tunein 3pm on iuicevents youtube &amp; israelunitedinchrist facebook. trump v biden,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n887,11/2/2020,electionday is tomorrow scharschool\xe2\x80\x99s dean markjrozellgmu discusses biden\xe2\x80\x99s lead over trump in virginia. \xe2\x80\x9cit\xe2\x80\x99s hard to imagine with nearly double that margin trump pulling off the same electoral college victory\xe2\x80\x9d he said of biden\xe2\x80\x99s lead.,United States of America,Texas,TX,Joe Biden,2,0\r\n888,11/2/2020,elections2020 voteblue votebiden biden \xf0\x9f\x99\x8f\xf0\x9f\x87\xb5\xf0\x9f\x87\xb7\xf0\x9f\x99\x8f\xf0\x9f\x91\x87,United States of America,California,CA,Joe Biden,1,0.3\r\n889,11/2/2020,elextion\xe2\x80\x99s only a day away. gotta buckle down &amp; figure out who i\xe2\x80\x99m voting for. i\xe2\x80\x99m leaning biden. on the other hand hunter biden has a computer. and an email account. or something. plus trump assures us we\xe2\x80\x99re  rounding the curve on covid so...it\xe2\x80\x99s a pickle. bidenharris,United States of America,New York,NY,Joe Biden,0,-0.1\r\n890,11/2/2020,enough of this chaotic reality tv show. let\xe2\x80\x99s fire donaldtrump and maga back to normalcy bidenharris2020 vote votebidenharristosaveamerica joebiden firetrump foxnews cnn abcnews nbcnews theview potus,United States of America,California,CA,Joe Biden,0,-0.4\r\n891,11/2/2020,ericrweinstein bretweinstein i am a dem who is resenting having to vote biden because of his role in victimizing edwardsnowden. i won\xe2\x80\x99t vote for trump but dems still have made every excuse for biden despite what this one act says about him in the larger picture. snowden ggreenwald,United States of America,New York,NY,Joe Biden,0,-0.1\r\n892,11/2/2020,esto. \xf0\x9f\x98\x89\xf0\x9f\x91\x87\xf0\x9f\x8f\xbb\xe2\x9c\x8a\xf0\x9f\x8f\xbc biden,United States of America,California,CA,Joe Biden,1,0.2\r\n893,11/2/2020,everybody should just shut up about the fate of  amctheatres right now or go to hell with trump joebiden will be coming to save the economy,United States of America,California,CA,Joe Biden,0,-0.9\r\n894,11/2/2020,everyone in biden\xe2\x80\x99s camp has to explain everything for him because his mind is gone and he\xe2\x80\x99s telling the truth by accident. he will endfracking,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n895,11/2/2020,exactly. people have to be the dumbest kind to want to pay higher taxes and kill jobs and have a higher cost of living across the board. sometimes i wonder if biden supporters are delusional like him biden,United States of America,New York,NY,Joe Biden,0,-0.3\r\n896,11/2/2020,experts warn that extremist groups are harboring 'violent fantasies' about the election  extremist violence election vote trump biden,United States of America,Maryland,MD,Joe Biden,0,-0.8\r\n897,11/2/2020,facts vote blacktwitter onetruechange joyannreid naacp atlblackstar maddow projectlincoln joebiden unfittrump morningjoe msnbc cnn theview blacklivesmatter kingjames cnbc arimelber nicolledwallace \xf0\x9f\x99\x8f\xf0\x9f\x8f\xbf,United States of America,Georgia,GA,Joe Biden,2,0\r\n898,11/2/2020,faith christian catholicsforbiden believe biden,United States of America,Florida,FL,Joe Biden,2,0\r\n899,11/2/2020,fbi director wray banked $14m from king &amp; spalding since 2016 by c. ryan barber | december 20 2018  joebiden hunterbiden ccp china corruption fbi doj,United States of America,Washington,WA,Joe Biden,0,-0.5\r\n900,11/2/2020,fbi investigating incident involving trump supporters biden's campaign bus in texas.,United States of America,Nevada,NV,Joe Biden,0,-0.3\r\n901,11/2/2020,firethetrumpregime election2020 2020election voteinperson bidenharris2020landslide biden bidenharrislandslide2020,United States of America,New York,NY,Joe Biden,1,0.4\r\n902,11/2/2020,first time phonebanking for biden en espanol today,United States of America,Washington,WA,Joe Biden,2,0\r\n903,11/2/2020,franklangfitt diary of a radio junkie 1807 days of waking up to the news bidenharris2020 biden trumpmilitia nypd policebrutality election2020  votersuppression austin texas nj coronavirus covid19 covid_19 germany germanylockdown lockdown uklockdown2 uk art,United States of America,New York,NY,Joe Biden,0,-0.4\r\n904,11/2/2020,from the archives  universal mail-in ballots the domestic abuser\xe2\x80\x99s best friend  biden democrats,United States of America,New York,NY,Joe Biden,0,-0.1\r\n905,11/2/2020,georgesoros's plan b if joebiden loses  thelordrebukehim,United States of America,New York,NY,Joe Biden,0,-0.2\r\n906,11/2/2020,georgetakei damn. i\xe2\x80\x99m just an ordinary average middle age voter in a predominantly blue state -virginia - where my vote for president counts as 1/11 of a wisconsin voter because of the electoral college. but i voted anyway. for joebiden of course.,United States of America,Virginia,VA,Joe Biden,0,-0.3\r\n907,11/2/2020,get out there and vote tomorrow  otherwise i don't want to hear anyone bitching about the fascist trump or marxist biden winning since you didn't participate into changing anything. vote2020 election2020 electionday,United States of America,New York,NY,Joe Biden,0,-0.1\r\n908,11/2/2020,get ready joebiden democratsarecorrupt,United States of America,New York,NY,Joe Biden,0,-0.1\r\n909,11/2/2020,god fearing people do not riot or loot business. so the boarding of business is for antifaterrorists and democrats who support joebiden,United States of America,California,CA,Joe Biden,0,-0.5\r\n910,11/2/2020,gop i voted for biden/harris2020,United States of America,New York,NY,Joe Biden,2,0\r\n911,11/2/2020,gop realdonaldtrump funny thing. the aca already does that. he\xe2\x80\x99s had 4 years and still doesn\xe2\x80\x99t have a health care plan. his tome is up. so is the gop\xe2\x80\x99s bidenharris counteveryvote footballfansforbiden bidenharris2020tosaveamerica biden 2020election,United States of America,Nevada,NV,Joe Biden,2,0\r\n912,11/2/2020,gop realdonaldtrump we support god and america. we don\xe2\x80\x99t think our veterans are losers. votebluetoendthenightmare biden,United States of America,Ohio,OH,Joe Biden,2,0\r\n913,11/2/2020,gopchairwoman no he doesn\xe2\x80\x99t. shut up. signed the city of pittsburgh. joebiden joebiden biden2020 pennsylvaniaforbiden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n914,11/2/2020,guess biden just won texas axjtexas axjnews,United States of America,New York,NY,Joe Biden,1,0.1\r\n915,11/2/2020,had the honor of meeting joebiden at the vp\xe2\x80\x99s residence when i worked at nasa. he\xe2\x80\x99s smart and well informed. i am not sure if he\xe2\x80\x99s aware that we just installed a large inflatable rover on his lawn at the time of this photo. biden bidenharris,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n916,11/2/2020,half the challenge is getting biden elected; the other half is keeping trump and his thugs from destroying the country or causing more deaths in the remaining 80 or so days,United States of America,District of Columbia,DC,Joe Biden,0,-0.7\r\n917,11/2/2020,he does benefit from the fact that most men in general don\xe2\x80\x99t usually vote in comparison to their women counterpart who are going for biden and do vote,United States of America,New York,NY,Joe Biden,1,0.1\r\n918,11/2/2020,he ignored the warnings he sold access to highest bidders at mar-a-lago&amp; struck deals w/ foreign despots during his presidential campaign..a perpetual-motion sleaze machine.heliedtheydied 230522 deaths americaneedspennsylvania  joebiden kamalaharrisvp please retweet,United States of America,New York,NY,Joe Biden,0,-0.8\r\n919,11/2/2020,here are three maps via sahilkapur narrow trump victory; biden blowout; narrow biden victory. i'll add one more ultra-narrow biden path to 270 lose pa win az win 1 ev from omaha nebraska.,United States of America,New York,NY,Joe Biden,2,0\r\n920,11/2/2020,here is nicolas maduro of socialist venezuela sending his wishes to \xe2\x81\xa6joebiden\xe2\x81\xa9 calls him \xe2\x80\x98comrade\xe2\x80\x99. bidenharris2020 biden elecciones2020 polls trump trump2020 \xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 venezuela cuba miamifortrump florida vote,United States of America,New York,NY,Joe Biden,0,-0.5\r\n921,11/2/2020,hey fellow floridavoters for biden rt to be spared in this week\xe2\x80\x99s rapture - like just in case whatev,United States of America,Florida,FL,Joe Biden,2,0\r\n922,11/2/2020,hey ladygaga i just voted and i\xe2\x80\x99m really hoping america hears what biden has to say. we need a change right now ivoted vote joebiden,United States of America,California,CA,Joe Biden,0,-0.4\r\n923,11/2/2020,hey ladygaga i voted early in texas voting earlyvote biden littlemonster \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 \xe2\xad\x90\xef\xb8\x8f,United States of America,California,CA,Joe Biden,2,0\r\n924,11/2/2020,hey ladygaga voted blue after your video voting earlyvote biden littlemonster \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 \xe2\xad\x90\xef\xb8\x8f,United States of America,California,CA,Joe Biden,2,0\r\n925,11/2/2020,hey mountvernon how did george washington speak during his 1st presidential campaign... in general terms.  election2020 electiondaydebates2020 biden,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n926,11/2/2020,hey realdonaldtrump gop october ended with no joebiden scandal. surprise good luck tmo \xe2\x9c\x8c\xef\xb8\x8f election2020 electionday octobersurprise biden trumpmeltdown bidenharris2020landslide,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n927,11/2/2020,hilarious\xe2\x80\x94 biden\xe2\x80\x99s biggest word he has ever said  via youtube,United States of America,North Carolina,NC,Joe Biden,1,0.7\r\n928,11/2/2020,how come joebiden hasn\xe2\x80\x99t condemned the planned protests and violence his supporters are openly calling for in an attempt to influence this election tomorrow joebiden condemn antifa violent protesting and looting call for peace tomorrow biden bidenharris2020,United States of America,California,CA,Joe Biden,0,-0.8\r\n929,11/2/2020,how wikipedia is preparing for electionday  via voxdotcom news electionday election2020 elections2020 electionnight 2020election 2020elections trump biden bidenharris2020 hope,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n930,11/2/2020,how would a biden tax plan compare to what we\xe2\x80\x99ve seen from the potus  podcast,United States of America,Washington,WA,Joe Biden,0,-0.1\r\n931,11/2/2020,huh. we'll wait for the major media to take note...  biden,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n932,11/2/2020,i adore michaelkeaton. the fact that he's from pittsburgh just makes it all the better. vote biden trump election votebiden voteblue pgh pennsylvania p2 votebidenharris biden2020,United States of America,Pennsylvania,PA,Joe Biden,1,0.5\r\n933,11/2/2020,i am a senior and i am voting for donaldtrump because a vote for biden is a vote for kamalaharris radical socialist as president because joe won't last a year. redwave2020,United States of America,California,CA,Joe Biden,2,0\r\n934,11/2/2020,i can just imagine what sunday\xe2\x80\x99s would be like during football season if all us gamblers rioted every time our teams lost.  suck it up people if your team doesn\xe2\x80\x99t win and let\xe2\x80\x99s move on tomorrow. vote trump biden president nfl mikefrancesa,United States of America,New York,NY,Joe Biden,0,-0.2\r\n935,11/2/2020,i do wonder how many of us feel irreparably damaged by the 2016 election -- much of this distress can be addressed by a joebiden victory.,United States of America,New Jersey,NJ,Joe Biden,0,-0.5\r\n936,11/2/2020,i guess the metoo movement has run it's course. it ran out of steam about the time some women accused joebiden of groping them. all forgotten now.,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n937,11/2/2020,i have received two robocalls from trump. and i live in dc - practically the epicenter of the blue bubble not to mention come on - it's obvious i hate him. positive side good let them waste their money on me. bidenharris biden harris vote emhoff,United States of America,District of Columbia,DC,Joe Biden,0,-0.3\r\n938,11/2/2020,i know people on this platform are very pro trump i have also been. but after reading this i have a whole new perspective on biden i suggest you all take a look there are some very good points here.,United States of America,New York,NY,Joe Biden,1,0.6\r\n939,11/2/2020,i literally walk by that student desk every day... and the day i leave pittsburgh biden devices to make a stop literally just behind my house \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n940,11/2/2020,i may not have a big platform. however if it helps someone decide to vote then it\xe2\x80\x99s worth it.  vote flipthesenateblue electionday election2020 biden votelikeyourlifedependsonit joebiden kamalaharris bidenharris2020,United States of America,New York,NY,Joe Biden,2,0\r\n941,11/2/2020,i project a joebiden win over realdonaldtrump in u.s. presidential election - perspectives by simonateba washington d.c. kamalaharris mike_pence election2020 elections2020 election bidenharris trump biden   via todaynewsafrica,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n942,11/2/2020,i think dnc knew they would lose and selected biden because they didn't want to waste one of the young up and coming democrat pawns just my thought.,United States of America,California,CA,Joe Biden,0,-0.1\r\n943,11/2/2020,i think voting for donald trump should disqualify you for voting for president but since democracy doesn't work that way it's up to us to vote for the guy who can bring this country back together again. let's get this done. joebiden,United States of America,California,CA,Joe Biden,0,-0.1\r\n944,11/2/2020,i voted for biden and i am so ready for this 4 year nightmare to end. exhausted dumptrump,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n945,11/2/2020,i voted for joebiden \xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99,United States of America,Missouri,MO,Joe Biden,1,0.1\r\n946,11/2/2020,i voted for the ninth time in a presidential election biden,United States of America,California,CA,Joe Biden,1,0.1\r\n947,11/2/2020,i voted joe biden cause i\xe2\x80\x99m not a fucking dumbass biden,United States of America,New York,NY,Joe Biden,0,-0.7\r\n948,11/2/2020,i want a president that my grandchildren can look up to. good luck joebiden,United States of America,New York,NY,Joe Biden,1,0.4\r\n949,11/2/2020,i \xf0\x9f\x92\x99 this  bidenharris2020 ladygaga joebiden,United States of America,Florida,FL,Joe Biden,1,0.8\r\n950,11/2/2020,idea if your non-election mail isn't urgent wait til a few days after the election to send it. let usps focus on getting the ballots in. letuspsfocus bidenharris2020 bidenharrislandslide2020 biden bidenbus,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n951,11/2/2020,if biden loses i wonder if andrewyang will be blamed this time instead of bernie seems his yanggang are more trump leaning than just not even turning up to vote... \xf0\x9f\xa4\x94 election2020,United States of America,New York,NY,Joe Biden,0,-0.9\r\n952,11/2/2020,if biden wins i give it 3 months before he resigns due to cognitive decline and kamala becomes pres. then starts arresting millions for pot possession. kamalaharris joebiden electionday election2020 corrupt,United States of America,Ohio,OH,Joe Biden,0,-0.6\r\n953,11/2/2020,if biden wins this is your new potus,United States of America,Florida,FL,Joe Biden,1,0.1\r\n954,11/2/2020,if donaldtrump decides to pardon billcosby right before the election joebiden would come in second place,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n955,11/2/2020,if i would have been told by some future version of me in 2004 that 16 yrs later i would have difficulty sleeping because i was terrified that the host of the apprentice would win a second presidential term i would have in no way believed it. yet here we are. voteblue biden,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n956,11/2/2020,if joebiden isn\xe2\x80\x99t elected does china get a refund,United States of America,Nevada,NV,Joe Biden,0,-0.4\r\n957,11/2/2020,if joebiden wins does that mean we're going to normalize politics &amp; hate him like barackobama was hated on asking my republican friends voting for bidenharris. repsforbiden gopforjoe rvat2020 r4np2020 electionday election2020 elections2020 2020election biden,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n958,11/2/2020,if the fbi is investigating the trump train trucks for slowing down the biden bus...why isn't fbilasvegas investigating nevadadot rtcsnv for all the shady traffic manipulations slowing us down vegastraffic transportation seeingorangenv vegas,United States of America,Nevada,NV,Joe Biden,0,-0.8\r\n959,11/2/2020,if we could have just gotten all trump supporters to have worked with him over the last four years trump would have about 6 votes total right now. election2020 joebiden donaldtrump,United States of America,New York,NY,Joe Biden,0,-0.1\r\n960,11/2/2020,if we\xe2\x80\x99re not careful our children\xe2\x80\x99s children will never see this america demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n961,11/2/2020,if we\xe2\x80\x99re not careful our children\xe2\x80\x99s children will never see this america demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n962,11/2/2020,if we\xe2\x80\x99re not careful our children\xe2\x80\x99s children will never see this america demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n963,11/2/2020,if we\xe2\x80\x99re not careful our children\xe2\x80\x99s children will never see this america demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n964,11/2/2020,if we\xe2\x80\x99re not careful our children\xe2\x80\x99s children will never see this america demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n965,11/2/2020,if we\xe2\x80\x99re not careful our children\xe2\x80\x99s children will never see this america demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n966,11/2/2020,if we\xe2\x80\x99re not careful our children\xe2\x80\x99s children will never see this america demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n967,11/2/2020,if we\xe2\x80\x99re not careful our children\xe2\x80\x99s children will never see this america demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n968,11/2/2020,if we\xe2\x80\x99re not careful our children\xe2\x80\x99s children will never see this america demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n969,11/2/2020,if we\xe2\x80\x99re not careful our children\xe2\x80\x99s children will never see this america demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n970,11/2/2020,if we\xe2\x80\x99re not careful our children\xe2\x80\x99s children will never see this america demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n971,11/2/2020,if we\xe2\x80\x99re not careful our children\xe2\x80\x99s children will never see this america demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n972,11/2/2020,if you didn\xe2\x80\x99t/aren\xe2\x80\x99t going to vote for joebiden then what the fuck is wrong with you,United States of America,Florida,FL,Joe Biden,0,-0.9\r\n973,11/2/2020,if you haven\xe2\x80\x99t voted get out there you still have time bluewave joebiden bidenharris,United States of America,Colorado,CO,Joe Biden,2,0\r\n974,11/2/2020,if you vote for democrats and biden you can expect society to be overrun with pillow princesses such as this one,United States of America,New York,NY,Joe Biden,0,-0.6\r\n975,11/2/2020,if you were undecided or if you haven\xe2\x80\x99t voted yetthere\xe2\x80\x99s no way you won\xe2\x80\x99tvote joebiden after u watch  joebiden kamalaharris independentvoter republicansforbiden,United States of America,New York,NY,Joe Biden,0,-0.4\r\n976,11/2/2020,if you\xe2\x80\x99ve already voted then fight for your countryclick on joes picture u will be on my page press the retweet button on the 25000 tweets that r there. kick trump\xe2\x80\x99s ass flood twitter. demcast wtpblue wtpbiden blm msnbc joebiden wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n977,11/2/2020,if you\xe2\x80\x99ve already voted then fight for your countryclick on joes picture u will be on my page press the retweet button on the 25000 tweets that r there. kick trump\xe2\x80\x99s ass flood twitter. demcast wtpblue wtpbiden blm msnbc joebiden wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n978,11/2/2020,if you\xe2\x80\x99ve already voted then fight for your countryclick on joes picture u will be on my page press the retweet button on the 25000 tweets that r there. kick trump\xe2\x80\x99s ass flood twitter. demcast wtpblue wtpbiden blm msnbc joebiden wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n979,11/2/2020,ilanamercer richardbspencer  this is the type of person joebiden is. he is a question dodging fool.,United States of America,New York,NY,Joe Biden,0,-0.9\r\n980,11/2/2020,imwithjoe veterans across pennsylvania support bidenharris2020 one more day and then we make history with a new cic veteransforbiden vetsforbiden election2020 veteransagainsttrump vets4biden vets4joe joebiden,United States of America,Pennsylvania,PA,Joe Biden,1,0.1\r\n981,11/2/2020,in a plot twist karens are backing biden. richards dicks are supporting trump,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n982,11/2/2020,interesting  --- music superstar eminem marshallmathers is also voting for joebiden \xe2\x9c\x8d\xef\xb8\x8f,United States of America,Texas,TX,Joe Biden,1,0.7\r\n983,11/2/2020,iowa new cases have doubled. vote biden for leadership and a national  covid19 plan,United States of America,California,CA,Joe Biden,2,0\r\n984,11/2/2020,iremeber impeachmentday saveamerica flipthesenateblue biden,United States of America,California,CA,Joe Biden,1,0.3\r\n985,11/2/2020,it increasingly seems harris is the candidate &amp; biden\xe2\x80\x99s being used by the left. frequent lapses whereas he used to be a sharp guy who made long complex policy speeches. perhaps an especially telling lapse was echoing harris in referring to a \xe2\x80\x9charris biden\xe2\x80\x9d administration.,United States of America,District of Columbia,DC,Joe Biden,0,-0.5\r\n986,11/2/2020,it was a pleasure volunteering with these amazing people electionday2020 joebiden kamalaharris joebiden kamalaharris phonebanking socialworker socialworkispolitical,United States of America,Massachusetts,MA,Joe Biden,1,0.9\r\n987,11/2/2020,its a shame what the democats are doing to biden. despite of me not liking the man because of political views its a shame. but at the end the day im voting for trump2020,United States of America,Virginia,VA,Joe Biden,0,-0.6\r\n988,11/2/2020,it\xe2\x80\x99s time to get rid of trump and the complicit gop. we can help biden with the presidency and also flip the senate. vote ourvoteispower,United States of America,New York,NY,Joe Biden,2,0\r\n989,11/2/2020,janewynn mmpadellan this college aged lady did biden,United States of America,California,CA,Joe Biden,2,0\r\n990,11/2/2020,joe biden campaign is stepping up their ads electionday joebiden,United States of America,New York,NY,Joe Biden,0,-0.6\r\n991,11/2/2020,joe biden is a fake catholic who supports abortion and a hypocrite as well as a senile old man election2020 joebiden,United States of America,Kentucky,KY,Joe Biden,0,-0.9\r\n992,11/2/2020,joe biden mixes up donald trump with george bush  via youtube i still can\xe2\x80\x99t get over this biden gaffe.,United States of America,Massachusetts,MA,Joe Biden,0,-0.3\r\n993,11/2/2020,joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n994,11/2/2020,joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n995,11/2/2020,joebiden,United States of America,New York,NY,Joe Biden,1,0.3\r\n996,11/2/2020,joebiden  watching obama in miami it\xe2\x80\x99s fantastic wow,United States of America,California,CA,Joe Biden,1,0.9\r\n997,11/2/2020,joebiden blah blah blah blah shut the hell up sleepy joe jstockbrokers shannonlasecki,United States of America,New York,NY,Joe Biden,0,-0.6\r\n998,11/2/2020,joebiden drop the charges against snowden welcome him back home and you\xe2\x80\x99ll have my vote,United States of America,Ohio,OH,Joe Biden,2,0\r\n999,11/2/2020,joebiden here\xe2\x80\x99s a secret  oil is going to run out in the usa. 10 to 15 years is the estimate. let\xe2\x80\x99s multiple x 2. that 2050.  it\xe2\x80\x99s economic security to explore over time and transition to \xe2\x80\x9crenewables\xe2\x80\x9d cuz the world will look very different then. pennsylvania vote joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n1000,11/2/2020,joebiden hunterbiden trump2020landslidevictory,United States of America,New York,NY,Joe Biden,1,0.3\r\n1001,11/2/2020,joebiden is a clear and present danger to the usa. a vote for biden is a vote for the biggest traitor since benedict arnold.,United States of America,California,CA,Joe Biden,0,-0.1\r\n1002,11/2/2020,joebiden joebiden2020 votejoebiden votejoebidentosaveamerica votebluetoendthenightmare votejoetrumpsgottago joebiden keep going lets win thisss,United States of America,New York,NY,Joe Biden,1,0.8\r\n1003,11/2/2020,joebiden needs your support. less than one day before the polls are open everywhere. please get out there; cast a ballot. this really matters. and your vote counts. electionday joebiden votebidenharris2020 voteresponsibly,United States of America,Kentucky,KY,Joe Biden,2,0\r\n1004,11/2/2020,joebiden only strong point is he isn't trump. the democrats could have run pee-wee herman and did just as good during the election.,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1005,11/2/2020,joebiden sad obama campaigning gets more coverage than biden campaigning. propped up candidate that took away the democrat nominee.  weak on the economy  fake,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1006,11/2/2020,joebiden thank you \xf0\x9f\x99\x8f\xf0\x9f\x8f\xbd for all your hard work. i\xe2\x80\x99ve been waiting almost 4 years to remove trump and his family and friends while battling cancer. i cannot go through 4 more years of hate. vote joebiden,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1007,11/2/2020,joebiden yes yes gethimout this is me waiting for america to be great again. joe we \xe2\x80\x9camerica needs you\xe2\x80\x9d help joebiden votebluetoendthenightmare 864511320 dumptrump womenforbiden,United States of America,New York,NY,Joe Biden,1,0.1\r\n1008,11/2/2020,joebiden you know what i\xe2\x80\x99m grateful for  i\xe2\x80\x99m grateful that a blustering buffoon of a man w/ rude and self-important followers will be taken down by a humble man with no bluster whatsoever.  we need good people who have grace &amp; dignity back in our wh &amp; daily reality. joebiden wins,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1009,11/2/2020,joebiden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Maryland,MD,Joe Biden,1,0.4\r\n1010,11/2/2020,join me in supporting donate to support joebiden kamalaharris and democrats nationwide before election day via actblue  bidenharris2020 bidenharris votebluetoendthenightmare joebiden thedemocrats actblue,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1011,11/2/2020,join me in supporting joe biden via actblue vote votebluetoendthenightmare votehimout teamjoe womenforbiden biden bidenharris2020,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n1012,11/2/2020,judgejeaninefan lrihendry haha she needs to pull &amp; do a joebiden &amp; say \xe2\x80\x9cif you don\xe2\x80\x99t vote for me you ain\xe2\x80\x99t black.\xe2\x80\x9d \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3,United States of America,California,CA,Joe Biden,0,-0.2\r\n1013,11/2/2020,just click on joes picture it will take u to my page.there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1014,11/2/2020,just click on joes picture it will take u to my page.there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.3\r\n1015,11/2/2020,justtipicaldeamonratfreakingjealousneedtoreversedeflectwhat joebiden is really caught on tv video actually blackmailiingukrainefor too,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1016,11/2/2020,kamalaharris joebiden maga trump,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1017,11/2/2020,kasalerno2350 cbsnews nbcnews did run a story of russia defending hunterbiden.  and a russian double agent was the primary source of the steeledossier. china just wants to go back to favorable trade deals. joebiden is their guy.,United States of America,Alabama,AL,Joe Biden,1,0.2\r\n1018,11/2/2020,kelleyrose20 vote biden election2020,United States of America,Washington,WA,Joe Biden,1,0.2\r\n1019,11/2/2020,lady gaga slammed for mocking 'rednecks' in joe biden video,United States of America,California,CA,Joe Biden,0,-0.5\r\n1020,11/2/2020,ladygaga frackingban joebiden,United States of America,California,CA,Joe Biden,1,0.3\r\n1021,11/2/2020,ladygaga is anti fracking. she\xe2\x80\x99ll be in pennsylvania with biden. that is liberallogic at its best. they are completely delusional. \xf0\x9f\x99\x84,United States of America,New Jersey,NJ,Joe Biden,2,0\r\n1022,11/2/2020,ladygaga just laiddown her cards on the table &amp; is betting for a joebiden's victory .. she revealed her vote is for biden the guy trump branded sleepyjoe .. she wants her fans &amp; followers to voteforbiden \xe2\x9c\x8d\xef\xb8\x8f,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1023,11/2/2020,ladygaga realdonaldtrump biden or trump the economy,United States of America,New York,NY,Joe Biden,2,0\r\n1024,11/2/2020,ladygaga\xe2\x80\x99s appearance for joebiden in pennsylvania has trump in attack mode but she\xe2\x80\x99s clapping back watch  via tlrd,United States of America,California,CA,Joe Biden,0,-0.1\r\n1025,11/2/2020,las vegas odds maker who correctly predicted 2016 election  says landslide is coming&gt;&gt;&gt;  trump biden election2020,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1026,11/2/2020,last pennsylvania poll by monmouth. biden up 7 points.,United States of America,New York,NY,Joe Biden,2,0\r\n1027,11/2/2020,last poll before electionday shows trump up in ohio biden stops in cleveland | newsradio wtam 1100,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n1028,11/2/2020,late in the primary season for example biden said he would seek to lower eligibility age for medicare from 60 and forgive federal loan debt for those making less than $125k who graduated from public colleges and hbcus a move toward goals pushed by sanders. /4,United States of America,Minnesota,MN,Joe Biden,0,-0.2\r\n1029,11/2/2020,latest \xe2\x80\x98actual vote numbers\xe2\x80\x99 in us show margins contrary to media claims trump biden election2020  via youtube,United States of America,Illinois,IL,Joe Biden,0,-0.5\r\n1030,11/2/2020,let\xe2\x80\x99s define the term \xe2\x80\x9ccrowd\xe2\x80\x9dfor a biden rally featuring obama  6 people.  maga trump2020 fourmoreyears,United States of America,Florida,FL,Joe Biden,2,0\r\n1031,11/2/2020,let\xe2\x80\x99s go nj and atlantic city vote amy kennedyjoebiden kamalaharris biden vote,United States of America,New York,NY,Joe Biden,1,0.2\r\n1032,11/2/2020,let\xe2\x80\x99s go win vote for good honest empathetic joebiden powerful beautiful inspiring kamalaharris &amp; all dems for our lives healthcare rights economy science to beat covid19 &amp; climatechange election2020 wonderfulmichigan electionday bidenharris2020 electioneve,United States of America,California,CA,Joe Biden,1,0.7\r\n1033,11/2/2020,lindyli wow lindy this is so amazing awesome &amp; historic that you are there with joebiden in pa love love love this let\xe2\x80\x99s go win this thing bidenharris,United States of America,California,CA,Joe Biden,1,0.9\r\n1034,11/2/2020,literally luv \xf0\x9f\x99\x84 election2020 joebiden biden2020 kamalaharris chileplz citygirls,United States of America,California,CA,Joe Biden,1,0.9\r\n1035,11/2/2020,lol it\xe2\x80\x99s too fuckin easy w/these cult45 acolytes. they\xe2\x80\x99re correct obviously; but not for the same reason we are. they undoubtedly assumed the interviewer was pro-trump. if he had indicated that he supported biden they would have insisted all votes shouldn\xe2\x80\x99t be counted. \xf0\x9f\x99\x84,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n1036,11/2/2020,love your message i agree with you; make your voices heard.  china will thrive and the working class here can collect welfare. with all the china investments we have our kids' kids will be set for life pollution or no pollution. please vote for joebiden to make us richer.,United States of America,New York,NY,Joe Biden,1,0.4\r\n1037,11/2/2020,lunes \xc3\xbaltimo d\xc3\xada de hist\xc3\xb3rica campa\xc3\xb1a electoral en eeuu eeuu joebiden,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1038,11/2/2020,make trump a 1 term president \xf0\x9f\xa4\xa1trumpmeltdown votebiden voteresponsibly americaortrump americasgreatestmistake trumptraintexas vote2020 joebiden bidenharris2020tosaveamerica,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1039,11/2/2020,malcolmkenyatta vote pa detroit biden,United States of America,California,CA,Joe Biden,1,0.1\r\n1040,11/2/2020,manipulated video of biden mixing up states was shared 1.1m times before being removed. politics 2020election bidenharris2020,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1041,11/2/2020,many politicians who made this pledge haven't kept it  election vote trump biden taxes democrat republican politics livericher,United States of America,California,CA,Joe Biden,0,-0.9\r\n1042,11/2/2020,marklevinshow joebiden without mask in public... \xf0\x9f\xa4\x94 thanks for tweeting this pic crazyuncletim i am sure there are more...,United States of America,California,CA,Joe Biden,1,0.5\r\n1043,11/2/2020,mattklewis davidcorndc gop's e excuses  failures and negligence of the rich and powerful; when the  poor and powerless fail through no fault of their own they need to accept responsibility and pull themselves up by their bootrstraps.  vote them the hell out.  votebluetoendthenightmare  biden,United States of America,Kentucky,KY,Joe Biden,0,-0.3\r\n1044,11/2/2020,maurabarrettnbc  no way will beaver county vote for biden. democrats have killed bluecollar jobs in this area msnbc nicolledwallace,United States of America,Pennsylvania,PA,Joe Biden,0,-0.7\r\n1045,11/2/2020,mcla007 scottadamssays .mcla007 good point. joebiden admits to relying on win election2020,United States of America,District of Columbia,DC,Joe Biden,1,0.4\r\n1046,11/2/2020,media always criticizing prez about his less than churchillian rhetoric.  'but at least he uses real words.  biden has uttered so many unintelligible sentences it's pathetic.  poor guy. is no one hearing blrllehougashar or is that on the teleprompter.,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1047,11/2/2020,michaelkeaton entertainment perfect medicine to make your voices heard. please vote for joebiden to make us richer. china will thrive. the working-class here can collect welfare. with all the china investments we have our kids' kids will be set for life pollution or no pollution.,United States of America,New York,NY,Joe Biden,1,0.3\r\n1048,11/2/2020,michelleobama whenweallvote election2020 bidenharris2020 biden bluewave votebluetosaveamerica2020 votebluedowntheballot flipthesenateblue,United States of America,Illinois,IL,Joe Biden,1,0.4\r\n1049,11/2/2020,mike_pence biden has a real plan to lower health care insurance costs. trump/gop don\xe2\x80\x99t. if trump is successful in repealing obamacare millions of americans will be hurt. unconscionable especially in the middle of a pandemic coronavirus. voteblue2020,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1050,11/2/2020,mike_pence richardgrenell four more years of failed policies for healthcare to tax reform to trade war that drove the economy into the ground no thanks. failed leadership to contain covid. i\xe2\x80\x99m voting for biden who will restore integrity decency &amp; competence to the white house.,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1051,11/2/2020,milestaylorusa nc so checking in....biden bidenharris2020,United States of America,North Carolina,NC,Joe Biden,0,-0.2\r\n1052,11/2/2020,monday 2020election is a \xe2\x80\x9cbattleofthesexes\xe2\x80\x9d men versus women; biden will get the women\xe2\x80\x99s vote &amp; trump men support,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1053,11/2/2020,monmouth poll biden leads by 7points in pennsylvania thehill,United States of America,Texas,TX,Joe Biden,2,0\r\n1054,11/2/2020,more joebiden gaffs  yikes this is painful. joebiden biden2020 joebiden2020 bidenharris lyingbiden bidencrimefamiiy bidenharris2020 bidenrally,United States of America,Texas,TX,Joe Biden,0,-0.2\r\n1055,11/2/2020,my cat is upset. he says i missed a key issue in the election. says joebiden is pro badasscatcare,United States of America,Colorado,CO,Joe Biden,0,-0.4\r\n1056,11/2/2020,my president want y\xe2\x80\x99all to go out and vote bidenharris bidenharris2020 beyonce vote joebiden kamalaharris,United States of America,Michigan,MI,Joe Biden,0,-0.2\r\n1057,11/2/2020,n.c. is a tie trump 47.8% biden 47.2% battlegroundstate elecciones2020,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1058,11/2/2020,naacp_ldf we must vote for joebiden and kamalaharris  - to write in george floyd's name is giving a vote to 45.  i stand with you but can not responsibly abide by your suggestion - this election is a make or break this country's future.  let's work together to accomplish the goal.,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1059,11/2/2020,natesilver without winning pennsylvania 'biden becomes an underdog' thehill,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1060,11/2/2020,nbc joebiden \xe2\x80\x98blitzes\xe2\x80\x99 sleepy joe on meds makes his final push. really final. trump2020landslide,United States of America,New York,NY,Joe Biden,1,0.2\r\n1061,11/2/2020,no one has done less for the u.s. than donald trump 2020election biden bidenharris2020 bidenharristoendthisnightmare bidenharrislandslide2020,United States of America,Florida,FL,Joe Biden,2,0\r\n1062,11/2/2020,notcapnamerica i think it's more about seniors whom donnie won handily in '16 now breaking strongly for biden.,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1063,11/2/2020,now that we have your attention google \xe2\x80\x9cworst us president ever\xe2\x80\x9c vote votehimout ladygaga bidenharris maga2020 kamalaharris joebiden,United States of America,New York,NY,Joe Biden,0,-0.9\r\n1064,11/2/2020,npr goes full 'enemy of the people' gives astonishing reason they won't cover joe biden scandal,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n1065,11/2/2020,obama campains for biden in miami. excellent speech. fight for america. bidenharris2020tosaveamerica,United States of America,Pennsylvania,PA,Joe Biden,1,0.4\r\n1066,11/2/2020,obama realizar\xc3\xa1 una \xc3\xbaltima parada en miami para apoyar a joe biden -  evnews barackobama joebiden elecciones2020 miami florida,United States of America,Florida,FL,Joe Biden,1,0.4\r\n1067,11/2/2020,oh joe such a kidderjoebiden votebluetoendthenightmare,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n1068,11/2/2020,oh the irony. and it\xe2\x80\x99s the third time he\xe2\x80\x99s done it this week. georgia this is not how our citizens should be treated. we deserve a president who cares about us. votethemout bidenharris bidenharris2020tosaveamerica biden votebluetosaveourdemocracy votehimoutandlockhimup,United States of America,Georgia,GA,Joe Biden,0,-0.2\r\n1069,11/2/2020,ohio dems what are u waiting for message 10+ democrat friends now and remind them to vote don\xe2\x80\x99t regret not voting share biden cincinnati university moms women  jobs healthcare unions infrastructure covid vote\xc2\xa0cleveland yourvotecounts votebluedownballot,United States of America,New York,NY,Joe Biden,2,0\r\n1070,11/2/2020,on the eve of election2020 pennsylvania poll shows joebiden\xe2\x80\x99s lead has tightened though he\xe2\x80\x99s still ahead -  he has a 7-point lead among likely voters in \xe2\x80\x9chigh-turnout\xe2\x80\x9d scenario. this drops to five in \xe2\x80\x9clow-turnout\xe2\x80\x9d scenario...,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1071,11/2/2020,on the eve of election2020 the us is mired in crisis because of covid19. garciahf offers his expert advice to a president-elect biden on how to respond to this crisis via commprobiz  crisis crisisresponse covid19 joebiden crisismanagement,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1072,11/2/2020,on the same day we have batman and thelastjedi coming out swinging for joebiden make their efforts like your vote count.,United States of America,Florida,FL,Joe Biden,1,0.7\r\n1073,11/2/2020,once the election is over the truth will finally come out about the samurai who shot liberty valance. bidenharris2020 voteblue flipthesenateblue joebiden  voteresponsibly bluewave 2020election,United States of America,Rhode Island,RI,Joe Biden,2,0\r\n1074,11/2/2020,one final shot at grump 3 days to put a fork i him. demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1075,11/2/2020,one final shot at grump 3 days to put a fork i him. demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1076,11/2/2020,one final shot at grump 3 days to put a fork i him. demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1077,11/2/2020,one last huge drive to kick trump to the streets demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n1078,11/2/2020,one last huge drive to kick trump to the streets demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n1079,11/2/2020,one last huge drive to kick trump to the streets demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n1080,11/2/2020,one last huge drive to kick trump to the streets demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n1081,11/2/2020,one last huge drive to kick trump to the streets demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n1082,11/2/2020,one last huge drive to kick trump to the streets demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n1083,11/2/2020,one last huge drive to kick trump to the streets demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n1084,11/2/2020,one last huge drive to kick trump to the streets demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n1085,11/2/2020,one last huge drive to kick trump to the streets demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n1086,11/2/2020,one last huge drive to kick trump to the streets demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n1087,11/2/2020,one last huge drive to kick trump to the streets demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n1088,11/2/2020,pattonoswalt votebluetoendthenightmare biden what disturbs me more than \xe2\x80\x9cliar in a frock\xe2\x80\x9d\xe2\x80\x9dhe\xe2\x80\x99s not my 44th favorite potus\xe2\x80\x9d\xe2\x80\x9dthe fat one\xe2\x80\x9d is the fact that his supporters don\xe2\x80\x99t care that he lies &amp; only care about their 401k as do itrump is a serial asshole ask his cabinet,United States of America,New York,NY,Joe Biden,0,-0.9\r\n1089,11/2/2020,pedo biden,United States of America,California,CA,Joe Biden,0,-0.5\r\n1090,11/2/2020,pennsylvania vote biden,United States of America,California,CA,Joe Biden,1,0.2\r\n1091,11/2/2020,people need to stop saying joebiden is corrupt etc. cause realdonaldtrump is too that's a fact election2020 bidenharris2020 trumppence2020,United States of America,North Carolina,NC,Joe Biden,0,-0.8\r\n1092,11/2/2020,personal decision. i recall abt a decade ago being at obamas 2nd inauguration. not bc i supported him bc i didn't at the time. but bc like biden says he was an american potus for all of us. not just the left or those who voted for him. and when they stepped out onto the,United States of America,Oregon,OR,Joe Biden,0,-0.3\r\n1093,11/2/2020,perspective | harassing the biden bus could backfire on republicans - the washington post  have trumpers jumped the shark yet  no not yet,United States of America,California,CA,Joe Biden,0,-0.5\r\n1094,11/2/2020,petebuttigieg the establishment is getting worried  lies.  u also hated biden during the elections now u just want a role in the wh vote,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1095,11/2/2020,pittsburghpg pgopinions when fdr died and truman took over people feared we could not survive without a strong man. but truman showed our strength was in ourselves and our institutions. constitution. press. democracy. joe biden will do the same. biden trump,United States of America,Missouri,MO,Joe Biden,2,0\r\n1096,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet as many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1097,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet as many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1098,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet as many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1099,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet as many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1100,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet as many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1101,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet as many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1102,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet as many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1103,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet as many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1104,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet as many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1105,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1106,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1107,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1108,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1109,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1110,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1111,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1112,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1113,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1114,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1115,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1116,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1117,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1118,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1119,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1120,11/2/2020,please click on joes picture it will take u to my page. there u will find over 25000 more great memes just click on retweet donald many as u can demcast wtpblue wtpbiden blm msnbc resist bidenharris joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1121,11/2/2020,please please please. and carry ossoff and reverendwarnock across the finish line with you please biden bidenharris2020tosaveamerica,United States of America,Ohio,OH,Joe Biden,0,-0.1\r\n1122,11/2/2020,please vote responsibly for biden.  trump crowd chants fire fauci at late-night rally while biden campaigns in pennsylvania  via cbspolitics,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1123,11/2/2020,podemos enmendar nuestro pa\xc3\xads tenemos 2 d\xc3\xadas m\xc3\xa1s para votar. ~ we can mend our country. 2 more days. bidenharristosaveamerica bidenharrislandslide2020 joebiden america kamalaharris  votebluetoendthenightmare elecciones2020 2020election americaortrump bidenharris2020 \xf0\x9f\x8c\x8a,United States of America,District of Columbia,DC,Joe Biden,1,0.2\r\n1124,11/2/2020,political science fellow markpjonestx who helped to conduct the texhpf poll said the closer a hispanic voter is to the immigrant experience the more likely they are to back biden,United States of America,Texas,TX,Joe Biden,2,0\r\n1125,11/2/2020,potus is having a miami rally at 1130 pm and there are thousands of people there on a sunday night  joebiden probably hit the bed just as the sun went down.  energy is everything and the dems guy doesn\xe2\x80\x99t have it.  2020election americafirst joebiden sleepyjoebiden votered,United States of America,North Carolina,NC,Joe Biden,0,-0.2\r\n1126,11/2/2020,president of the united states. i believe in us now let\xe2\x80\x99s get out and go vote bidenharris2020 biden2020 wintheera teampete outforbiden bluewave vote election2020 lgbtqforbiden teampete teamjoe bidenharris joebiden joebiden2020 bidencoalition lgbtqrights earlyvote,United States of America,California,CA,Joe Biden,1,0.1\r\n1127,11/2/2020,presidenttrump says supporters who surrounded biden bus in texas 'did nothing wrong',United States of America,Wisconsin,WI,Joe Biden,0,-0.7\r\n1128,11/2/2020,projectlincoln i don\xe2\x80\x99t have a selfie but here you go joebiden joebiden2020,United States of America,California,CA,Joe Biden,1,0.2\r\n1129,11/2/2020,propaganda inflation   perhaps biden should campaign directly in india.  he may draw better  \xf0\x9f\xa4\xb7\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,Florida,FL,Joe Biden,0,-0.6\r\n1130,11/2/2020,q13fox biden spends the day in parking lots barking  cars \xf0\x9f\x98\x86 trump is surging to victory my husband was so excited to see trump parade on i5 on his way to work yesterday. he said he was honking and cheering. felt so good to openly support our potus in wa state. and culp2020 too.,United States of America,District of Columbia,DC,Joe Biden,1,0.5\r\n1131,11/2/2020,r u a real america then fight 4 our country. click on joes picture u will be on my page press the retweet button on the 25000 tweets that r there. kick trump\xe2\x80\x99s ass flood twitter. demcast wtpblue wtpbiden blm msnbc joebiden wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,2,0\r\n1132,11/2/2020,realdonaldtrump biden biden biden biden biden \xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99,United States of America,Massachusetts,MA,Joe Biden,1,0.3\r\n1133,11/2/2020,realdonaldtrump here\xe2\x80\x99s a secret  oil is going to run out in the usa. 10 to 15 years is the estimate. let\xe2\x80\x99s multiple x 2. that 2050.  it\xe2\x80\x99s economic security to explore over time and transition to \xe2\x80\x9crenewables\xe2\x80\x9d cuz the world will look very different then. pennsylvania vote joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n1134,11/2/2020,realdonaldtrump here\xe2\x80\x99s a secret  oil is going to run out in the usa. 10 to 15 years is the estimate. let\xe2\x80\x99s multiple x 2. that 2050. it\xe2\x80\x99s economic security to explore over time and transition to \xe2\x80\x9crenewables\xe2\x80\x9d cuz the world will look very different then. pennsylvania vote joebiden. elections,United States of America,New York,NY,Joe Biden,2,0\r\n1135,11/2/2020,realdonaldtrump how dare you. they slammed into a biden vehicle and tried to run the bus off the road. keep defending white supremacists and domestic terrorists. it's why you're losing...,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1136,11/2/2020,realdonaldtrump is so far gone now that he can\xe2\x80\x99t even remember who he\xe2\x80\x99s running against. votebluetoendthenightmare joebiden,United States of America,California,CA,Joe Biden,0,-0.1\r\n1137,11/2/2020,realdonaldtrump joebiden comes into election day with the overwhelming majority of editorial endorsements from the nation\xe2\x80\x99s largest newspapers including several papers that didn't endorse in 2016 and even some publications that have never endorsed for president at all.,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1138,11/2/2020,realdonaldtrump joebiden globalist no he's not jewish,United States of America,New Jersey,NJ,Joe Biden,0,-0.3\r\n1139,11/2/2020,realdonaldtrump plus joebiden eats a kitten every day for breakfast heeatskittens,United States of America,New York,NY,Joe Biden,1,0.5\r\n1140,11/2/2020,realdonaldtrump plus joebiden once at man\xe2\x80\x99s brain with fava beans and a nice chianti,United States of America,New York,NY,Joe Biden,1,0.8\r\n1141,11/2/2020,realdonaldtrump save the republican party please vote for joebiden,United States of America,California,CA,Joe Biden,2,0\r\n1142,11/2/2020,realdonaldtrump scared of losing much  biden has you thinking about his supreme court list and you\xe2\x80\x99re having a small election night party  trouble in paradise  vote bidenharris2020  voteblue,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n1143,11/2/2020,realdonaldtrump stop frackin\xe2\x80\x99 tweeting ladygaga biden bidenharris2020tosaveamerica bidenharris2020landslide,United States of America,Ohio,OH,Joe Biden,0,-0.4\r\n1144,11/2/2020,realdonaldtrump the fact that trump continues to trot out the inane formulation that \xe2\x80\x9cwe have more cases because we have more testing\xe2\x80\x9d is evidence enough that he lacks the intelligence and the imagination to govern a country in the midst of a pandemic. vote for our children- vote biden,United States of America,California,CA,Joe Biden,0,-0.2\r\n1145,11/2/2020,realdonaldtrump they\xe2\x80\x99re saying that kamalaharris is planning on purposefully infecting joebiden with the \xe2\x80\x98rona after the election. viralattack of an 80yr old president elect.,United States of America,Louisiana,LA,Joe Biden,0,-0.3\r\n1146,11/2/2020,realdonaldtrump this is like that old playground chant i know you are but what am i he projects his many failings on joebiden. joebiden2020 bidenharris2020 election2020 votebidenharristosaveamerica,United States of America,California,CA,Joe Biden,0,-0.2\r\n1147,11/2/2020,realdonaldtrump we\xe2\x80\x99re in tx. law enforcement has the license plates &amp; photos of all realdonaldtrump \xe2\x80\x98s supporters who\xe2\x80\x99ve have been raging thru the streets all over the state and country. turns out biden is the lawandorder candidate.,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1148,11/2/2020,realdonaldtrump what is the temperature looking for another chance to kill voters with a super spreader event or turn them into popsicles looks like scranton trump voters will need a hot cup of joebiden \xe2\x98\x95\xef\xb8\x8f hotcupofjoe biden vote trumpvirusdeathtoll236k goppopsicles,United States of America,California,CA,Joe Biden,0,-0.5\r\n1149,11/2/2020,realdonaldtrump with my vote i voted for someone who actually understands what the job is and how to do it i voted for joebiden and not the washed up reality tv dude,United States of America,California,CA,Joe Biden,0,-0.4\r\n1150,11/2/2020,realdonaldtrump you. not biden. you. the entire world is laughing at you.  watching you handle the pandemic was like watching a monkey trying to fuck a football for a whole year.,United States of America,New Jersey,NJ,Joe Biden,0,-0.2\r\n1151,11/2/2020,realdonaldtrump \xc2\xab\xe2\x80\xa6the only people who\xe2\x80\x99ve benefited from obama/biden policies are himself &amp; their families\xe2\x80\xa6\xc2\xbb and china of course,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1152,11/2/2020,redwaverising trump biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1153,11/2/2020,regarding the elections they say when you worry that you have a lack of faith. no matter the basis of your faith \xf0\x9f\x94\xa5light-it on fire\xf0\x9f\x94\xa5for joebiden and kamalaharris joebiden kamalaharris vote votebluetoendthenightmare loveislove \xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5,United States of America,Pennsylvania,PA,Joe Biden,0,-0.4\r\n1154,11/2/2020,repsforbiden yes yea yep uh huh absolutely positively yup yep please ok s\xc3\xac bidenharris2020 bidenharris2020 bidenharris voteblue bluewave dumptrump biden votebluetoendthenightmare deathpenaltyfortrump,United States of America,California,CA,Joe Biden,1,0.7\r\n1155,11/2/2020,scottadamssays msnbc it would be no surprise today if the liberalmedia released polls all of a sudden showing biden tied with or losing to trump to scare dems into voting tomorrow.,United States of America,California,CA,Joe Biden,0,-0.6\r\n1156,11/2/2020,seems store owners are expecting the usual sore-loser antifa &amp; blm marxist rioters. but i thought biden was so far ahead in the polls. \xf0\x9f\xa4\x94,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1157,11/2/2020,send pumpkinhead packing to my great home state of florida   vote biden,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1158,11/2/2020,sentedcruz yes thanks for joebiden endorsement. save social security and medicare. let corporations pay their fair share. dc and puerto rico deserve statehood and amy coney barret does not represent the values of the majority of americans...so yeah baby gopcorruptionovercountry,United States of America,Virginia,VA,Joe Biden,2,0\r\n1159,11/2/2020,shirleydoughty mizfrizz donaldjtrumpjr he's at the end of his rope. consumed with hatred and the fear of being outed as an inadequate fraud his drug and alcohol abuse have gotten the best of him. their organization is heavily leveraged to foreign powers who are looking to collect. the trump's are compromised. biden,United States of America,California,CA,Joe Biden,0,-0.3\r\n1160,11/2/2020,silenced777 faithcampbellj1 usheathen14 cokogay kelleyrose20 drmckinn oreillybk notjustmylife assrn007 love_or_fear doxie53 teesizzle1969 rose52413 uclabruin1998 msanonymousme plumptytrumpty biden/harris \xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99,United States of America,Florida,FL,Joe Biden,1,0.1\r\n1161,11/2/2020,smart man to have voted for biden.,United States of America,California,CA,Joe Biden,1,0.3\r\n1162,11/2/2020,so biden has to bring a celebrity to his final appearance in pennsylvania to pump up the vote. tell me how well that worked for hilliary in 2016 gaga me with a spoon.,United States of America,New York,NY,Joe Biden,2,0\r\n1163,11/2/2020,so disgusting deplorables magamorons biden bidenharris2020landslide,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1164,11/2/2020,so disturbing.... bodydouble wtf kamalabodydouble biden  criminal this is very sick behavior as someone running for office... if an actual candidate is willing to use a fake double out there to rep their own ideas for you to meet &amp; greet imagine what they lie about,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1165,11/2/2020,so windy in wilmington we\xe2\x80\x99ve anchored our live camera to a bollard election2020 wilmington joebiden thingszacthinks,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1166,11/2/2020,soulstothepolls whatwouldobamado beyonce makeamericagovernedagain blackvotesmatter getoutthevote blm obama biden makeamericagreatagain saveourdemocracy usa election2020 dump trump,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1167,11/2/2020,sprint he can\xe2\x80\x99t even walk... down a ramp. vote vota biden,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1168,11/2/2020,strengthnotfear  biden bidenharris bidenharris2020tosaveamerica,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1169,11/2/2020,strongest supporters donaldtrump joebiden election2020 elections2020 usaelections2020 usaelection,United States of America,California,CA,Joe Biden,1,0.4\r\n1170,11/2/2020,sundaynightfootball cowboynation flyeaglesfly howboutthemcowboys americasteam biden trump bendinucci cooper lamb snf joebiden philly dallas bluehens feedzeke zeke,United States of America,Georgia,GA,Joe Biden,2,0\r\n1171,11/2/2020,survey  jist like magic vs obvious ariangrande ariana positions joebiden donaldtrump usaelection2020,United States of America,California,CA,Joe Biden,2,0\r\n1172,11/2/2020,sweenbop bgilber16687079 jasonrobergeva joebiden the email where hunter was thanked by burisma for introducing him to joebiden while biden was in office has been verified via dkim data. dni ratcliffe says \xe2\x80\x9cno russian disinformation.\xe2\x80\x9d hunterbidenslaptop hunterbidenemails corruption corruptjoebiden,United States of America,Colorado,CO,Joe Biden,0,-0.2\r\n1173,11/2/2020,swisstexas politibunny maggienyt dems will force joebiden to step down. then it will be harris/sanders.,United States of America,Alabama,AL,Joe Biden,0,-0.5\r\n1174,11/2/2020,take the number 2020 and divide it by 666. you get the joebiden kamalaharris campaign text number of 30330. satanic influence on theleft cannot be avoided. lol.,United States of America,Wisconsin,WI,Joe Biden,0,-0.1\r\n1175,11/2/2020,talibantrump biden,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1176,11/2/2020,taxes biden trump2020landslide,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1177,11/2/2020,taylorkscalves  the only in-depth look at joebiden,United States of America,New York,NY,Joe Biden,1,0.1\r\n1178,11/2/2020,taylorswift joebiden election2020,United States of America,California,CA,Joe Biden,1,0.3\r\n1179,11/2/2020,tbh setting politics aside if biden aka sleepyjoe  wins that inauguration finna be \xf0\x9f\x97\x91. we don\xe2\x80\x99t want no wack ass cardib. but shit man if  trump wins for another term we finna have the \xf0\x9f\x90\x90 lil wayne. 4moreyears,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1180,11/2/2020,thank you dearamerica the world is waiting on pins and needles. let's do this voteblue biden,United States of America,Connecticut,CT,Joe Biden,1,0.4\r\n1181,11/2/2020,thank you eminem \xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x8f\xb3\xef\xb8\x8f\xe2\x80\x8d\xf0\x9f\x8c\x88 bidenharris2020 biden vote voteblue2020,United States of America,Florida,FL,Joe Biden,1,0.9\r\n1182,11/2/2020,thank you so much verozaragovia for sharing i\xe2\x80\x99m thrilled to have my new story about vietnamese american voters published today in ajenglish - i learned a lot about my community and the issues facing voters this election2020   please have a read trump biden,United States of America,District of Columbia,DC,Joe Biden,1,0.8\r\n1183,11/2/2020,thank you to the ray charles foundation. my girls and i cried watching this ad. back to making calls to get out the vote vote votebluetosaveamerica bidenharris2020 biden votehimout votefordemocracy voteforyourlife bluewave,United States of America,California,CA,Joe Biden,1,0.1\r\n1184,11/2/2020,that analysis assumes that biden keeps solid blue states and trump keeps solid red.  this is a battleground state analysis.,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1185,11/2/2020,the election is here   via morningbrew electioneve electionday election2020 trump biden,United States of America,Texas,TX,Joe Biden,2,0\r\n1186,11/2/2020,the failure of the usps for on time ballot delivery is the failure of its boss \xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 to manage it. it\xe2\x80\x99s hurting republican voters too. election2020 scotus joebiden \xe2\x81\xa6teamjoe\xe2\x81\xa9,United States of America,California,CA,Joe Biden,0,-0.4\r\n1187,11/2/2020,the fbi confirmed that an investigation is underway into an incident which saw a convoy of vehicles flying flags in support of president trump surrounding a biden campaign bus on a highway in texas on oct. 30.,United States of America,New York,NY,Joe Biden,0,-0.3\r\n1188,11/2/2020,the final pre-election episode with me dr_cmgreer &amp; mattmfm is now online. here it is. check it out and vote and prepare to defend your vote.  countthevotes donaldtrump joebiden earlyvoting,United States of America,New York,NY,Joe Biden,1,0.1\r\n1189,11/2/2020,the first duty of a government is to protect its citizens and president trump has failed his first duty as a president . americans should vote joebiden and reject trump biden   shakila blacklivesmatter endssars endsars  watchshambalamawe,United States of America,Texas,TX,Joe Biden,0,-0.6\r\n1190,11/2/2020,the joebiden kamalaharris maxinewaters whipclyburn thedemocrats and chelseahandler gotv efforts to reach black voters for election2020 youaintblack blackvoters biden bidenharris,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1191,11/2/2020,the look on his face when he\xe2\x80\x99s told to go f himself \xf0\x9f\x99\x82 that\xe2\x80\x99s a win election2020 obama biden trump brokenworld,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1192,11/2/2020,the nwo w/china &amp; not the west at or near the helm...never mind any halloween monsters that would be truly scary. china - ccp - bidenharris2020 biden's million$s.,United States of America,California,CA,Joe Biden,0,-0.2\r\n1193,11/2/2020,thejtlewis realdonaldtrump starts with having a president that does it too. joebiden,United States of America,Massachusetts,MA,Joe Biden,1,0.1\r\n1194,11/2/2020,there is always a tweet realdonaldtrump ladygaga biden bidenharris2020 biden2020 vote,United States of America,California,CA,Joe Biden,2,0\r\n1195,11/2/2020,there is so much the american people don\xe2\x80\x99t know. illegal surveillance of innocent people\xe2\x80\xa6 not just genflynn. if biden gets the football i\xe2\x80\x99m betting a lot\xe2\x80\x99s gonna spill out from the many good people in the fbi &amp; cia. they know where the bodies are buried\xe2\x80\xa6 mass graves.,United States of America,District of Columbia,DC,Joe Biden,0,-0.2\r\n1196,11/2/2020,there you go again more free press for potus johnkingcnn giving him free time showing his rallies. you are fueling the flame of his mob hate mentality and while u think ur educating the public u r doing this 4 ratings and making it worse. joebiden kamalaharris petebuttigieg,United States of America,Texas,TX,Joe Biden,0,-0.1\r\n1197,11/2/2020,these trumpers are so stupid they sank their own boat demcast wtpsenate wtpblue wtpbiden blm msnbc resist dumptrump teamjustice bidenharris bluewave joebiden joebidenkamalaharris. wtpsenate voteblue wtpblue demvoice1,United States of America,Ohio,OH,Joe Biden,0,-0.2\r\n1198,11/2/2020,thinking about tomorrow gives me anxiety ...joebiden \xf0\x9f\xa5\xba,United States of America,Nevada,NV,Joe Biden,0,-0.7\r\n1199,11/2/2020,this bad mofo may get unsealed if biden wins the eastern seaboard or i-95 corridor before midnight tomorrow vote voteresponsibly electionday biden gotv votebluetoendthenightmare,United States of America,California,CA,Joe Biden,0,-0.7\r\n1200,11/2/2020,this election has turned into umich vs. ohiostate level of divisiveness.  it\xe2\x80\x99s really sad that this is what it\xe2\x80\x99s coming to.  vote voteresponsibly joebiden donaldtrump,United States of America,Texas,TX,Joe Biden,0,-0.3\r\n1201,11/2/2020,this is fun - and encouraging i keep coming up with biden for the win  electionprediction electoralcollegemap2020 vote,United States of America,Texas,TX,Joe Biden,1,0.9\r\n1202,11/2/2020,this is the goon that our potus called a \xe2\x80\x9cpatriot\xe2\x80\x9d who did \xe2\x80\x9cnothing wrong\xe2\x80\x9d. if joebiden doesn\xe2\x80\x99t win by a landslide there\xe2\x80\x99s something seriously wrong with our nation\xe2\x80\x99s moral compass.votebluetosaveamerica bidenharris2020,United States of America,Illinois,IL,Joe Biden,0,-0.6\r\n1203,11/2/2020,this should be the joebiden presidential portrait amazing,United States of America,District of Columbia,DC,Joe Biden,1,0.7\r\n1204,11/2/2020,thistallawkgirl joemygod no it's just that conservatives have their antenna up for ubiquitous progressive race hypocrisy. youaintblack biden,United States of America,Illinois,IL,Joe Biden,0,-0.2\r\n1205,11/2/2020,though as pointed out already ia not even part of any 270 scenario for biden so...but in so far as the dmr poll perhaps was detecting a regional shift...,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1206,11/2/2020,to all the black voters that have been abandoned by the dems by joebiden and maxinewaters trump is the people\xe2\x80\x99s president he is for all americans he will never abandon you trump2020tosaveamerica maga2020 trumptrain bidenharris2020,United States of America,California,CA,Joe Biden,0,-0.7\r\n1207,11/2/2020,tombstone_coors i cannot express my absolute disappointment with the biden commercial...  literally in disbelief.,United States of America,Wisconsin,WI,Joe Biden,0,-0.8\r\n1208,11/2/2020,tommypvideo joebiden 3 is a long time.  i think he means he\xe2\x80\x99s from the socio economic class in scranton.  that he\xe2\x80\x99s \xe2\x80\x9cfrom there\xe2\x80\x9d from a perspective point of view - like trump is from generations of wealth. trump only sees wealth short term - which has advantages and disadvantages.  vote joebiden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1209,11/2/2020,tomorrow is the big day i dropped my ballot off in the mail last week and it\xe2\x80\x99s already been counted if you\xe2\x80\x99re voting in person tomorrow please do so safely and of course be a climatevoter vote vote2020 election2020 potus president joebiden donaldtrump,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1210,11/2/2020,tomorrow we find out what kind oof country we have.  my expectations in this new townhallcom column trump biden election2020 electionday elections2020,United States of America,Texas,TX,Joe Biden,1,0.1\r\n1211,11/2/2020,tomselliott i also remember biden comparing trump to goebbels. the \xe2\x80\x9cunity\xe2\x80\x9d party.,United States of America,District of Columbia,DC,Joe Biden,0,-0.1\r\n1212,11/2/2020,toolao4u 50cent biden bidencares,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n1213,11/2/2020,trump and biden scour battleground states for votes,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1214,11/2/2020,trump baby balloon is losing air. too bad. so sad. thoughtsandprayers babytrump dumptrump biden,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1215,11/2/2020,trump biden election2020 electionday electoralcollege electioneve greggutfeld danaperino geraldorivera peggynoonannyc anncoulter thehill yahoonews mzhemingway katiepavlich jessicatarlov   dbongino brithume,United States of America,New Jersey,NJ,Joe Biden,2,0\r\n1216,11/2/2020,trump biden offer starkly different closing arguments on eve of election thehill,United States of America,Texas,TX,Joe Biden,0,-0.4\r\n1217,11/2/2020,trump biden vote,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1218,11/2/2020,trump breathed oxygen on the smoldering embers of racism in this country &amp; then he fanned the flames. he talks about violent democratic cities yet his people come in spark violence &amp; disappear down side streets. donald trump is the leader of the white supremacists. rt biden,United States of America,Colorado,CO,Joe Biden,0,-0.5\r\n1219,11/2/2020,trump camp sought highly sensitive information from a county in pa trump election2020  biden,United States of America,Florida,FL,Joe Biden,2,0\r\n1220,11/2/2020,trump considera a biden un t\xc3\xadtere castro-chavista que no ha hecho nada por venezuela -  trump biden,United States of America,Florida,FL,Joe Biden,0,-0.1\r\n1221,11/2/2020,trump is the imposter get him outta here \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f vote biden blacklivesmatter,United States of America,Missouri,MO,Joe Biden,0,-0.5\r\n1222,11/2/2020,trump rebukes fbi for investigating supporters accused of harassing biden bus,United States of America,Massachusetts,MA,Joe Biden,0,-0.7\r\n1223,11/2/2020,trump rebukes fbi for investigating supporters accused of harassing biden bus thehill,United States of America,Texas,TX,Joe Biden,0,-0.7\r\n1224,11/2/2020,trump redwaverising biden,United States of America,District of Columbia,DC,Joe Biden,2,0\r\n1225,11/2/2020,truthmatters joebiden sad,United States of America,New York,NY,Joe Biden,0,-0.6\r\n1226,11/2/2020,tyleroakley another week to vote for biden,United States of America,New York,NY,Joe Biden,0,-0.1\r\n1227,11/2/2020,upstate ny - real upstate finger lakes region - never ever saw a hillary sign but biden signs even with trump signs. unheard of- these are republican strongholds. 77wabcradio curtisandjuliet,United States of America,New York,NY,Joe Biden,1,0.1\r\n1228,11/2/2020,us vs them new song by sexdrone video by dwj creative dwj newalliaceeast trump biden republicans democrats rich poor vote,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n1229,11/2/2020,usa biden bidencrimefamiiy,United States of America,California,CA,Joe Biden,2,0\r\n1230,11/2/2020,uspresidentialelection2020 betting odds % biden lead. data predictit. wisconsin odds shifted more to biden. pa &amp; az  biden territory-less so since start oct. nc neutral/to trump. florida odds trump territory. georgia odds to trump but less so. ia &amp; oh trump more so.,United States of America,New York,NY,Joe Biden,2,0\r\n1231,11/2/2020,vanjones68 biden can save himself from speaking right how he gonna save america  he\xe2\x80\x99s a danger to our success,United States of America,New York,NY,Joe Biden,0,-0.2\r\n1232,11/2/2020,vic777212718 yourjediminion joebiden would be the only person to tell congress i don't recall i would actually have a chance of believing.,United States of America,Alabama,AL,Joe Biden,0,-0.5\r\n1233,11/2/2020,video altered to make it look like biden greeted wrong state veteransforbiden gop fail usa military  via aol,United States of America,Illinois,IL,Joe Biden,0,-0.8\r\n1234,11/2/2020,video people are sharing of biden saying \xe2\x80\x9chello minnesota\xe2\x80\x9d in front of a tampa sign is fake. the sign was digitally altered biden tampa minnesota newsalert,United States of America,Florida,FL,Joe Biden,0,-0.4\r\n1235,11/2/2020,vote biden trump immigration hunter hashtag,United States of America,Texas,TX,Joe Biden,2,0\r\n1236,11/2/2020,vote bidenharris2020 bidenharris biden eminem,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1237,11/2/2020,vote joebiden bluewave,United States of America,California,CA,Joe Biden,1,0.3\r\n1238,11/2/2020,vote ladygaga johnlegend     join joebiden in pennsylvania   bidenharris2020,United States of America,California,CA,Joe Biden,1,0.1\r\n1239,11/2/2020,vote tomorrow it\xe2\x80\x99s more important than you might think. vote biden endthechaos,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1240,11/2/2020,vote trump if you like your fascism rude and in your face w/ full consciousness of the attendant nightmares.  vote biden if you'd prefer for the fascism to go on while you're happily plugged into the matrix.,United States of America,Florida,FL,Joe Biden,0,-0.3\r\n1241,11/2/2020,vote vote vote vote biden to save our country \xf0\x9f\x97\xb3,United States of America,New York,NY,Joe Biden,2,0\r\n1242,11/2/2020,vote votebidenharris bidenforpa biden,United States of America,Pennsylvania,PA,Joe Biden,1,0.3\r\n1243,11/2/2020,vote votebidenharristosaveamerica biden,United States of America,Texas,TX,Joe Biden,1,0.3\r\n1244,11/2/2020,vote votebluetosaveamerica batman biden2020 biden bidenharris2020tosaveamerica,United States of America,New York,NY,Joe Biden,1,0.3\r\n1245,11/2/2020,vote \xf0\x9f\x92\x99\xf0\x9f\x97\xb3\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 bidenharris2020 joebiden votejoe  pensacola florida,United States of America,Florida,FL,Joe Biden,1,0.3\r\n1246,11/2/2020,vote2020. adamepsteinprod thedispatch  trump biden electionday elecciones2020 elections2020 democracy,United States of America,California,CA,Joe Biden,2,0\r\n1247,11/2/2020,votebluetoendthenightmare votebluetosaveamerica voteblue vote votebidenharris bidenharris joebiden kamalaharris,United States of America,District of Columbia,DC,Joe Biden,1,0.1\r\n1248,11/2/2020,votebluetosaveamerica biden bidenharris2020 hope,United States of America,California,CA,Joe Biden,1,0.4\r\n1249,11/2/2020,watching trump at his rallies i wonder does donaldtrump ever talk about political issues or does he just name call &amp; talk negatively about biden  why doesn't he talk about what he is actually going to do he can't because he doesn't have a plan election2020  politics,United States of America,New York,NY,Joe Biden,0,-0.8\r\n1250,11/2/2020,we need a leader not a liar joebiden will work to get the virus under control.,United States of America,New York,NY,Joe Biden,0,-0.4\r\n1251,11/2/2020,weareallother geoffrbennett he\xe2\x80\x99ll resign sometime in december when abroad; he will never return to the states. he knows what awaits him. it\xe2\x80\x99s why he has been willing to subvert and destroy our democracy if he only could. voteinperson2020 votetrumpout bidenharris2020 bidenharrislandslide2020 biden,United States of America,California,CA,Joe Biden,0,-0.3\r\n1252,11/2/2020,welcome home mr. president joebiden,United States of America,California,CA,Joe Biden,1,0.2\r\n1253,11/2/2020,we\xe2\x80\x99re lead to believe a guy from pennsylvania who named his kid hunter is going to take our guns away. americaneedspennsylvania biden,United States of America,Pennsylvania,PA,Joe Biden,0,-0.1\r\n1254,11/2/2020,we\xe2\x80\x99ve got choices tomorrow. but only one choice gives some light at the end of this very long tunnel. bidenharris joebiden bidenharris2020,United States of America,Massachusetts,MA,Joe Biden,1,0.1\r\n1255,11/2/2020,what do you predict will happen after tomorrow  election2020 electionday trump biden,United States of America,Texas,TX,Joe Biden,2,0\r\n1256,11/2/2020,what if election night's in person counts go in biden's favor biden election counteveryvote what'll trump do then,United States of America,Pennsylvania,PA,Joe Biden,0,-0.2\r\n1257,11/2/2020,what is your investment strategy for election2020 trump biden,United States of America,New York,NY,Joe Biden,2,0\r\n1258,11/2/2020,whatever happens joebiden just know... we love ya. and we appreciate you and drbiden more than you know. 2020election joebiden dems,United States of America,Missouri,MO,Joe Biden,1,0.6\r\n1259,11/2/2020,which election2020 presidential candidate is gaining more momentum biden or trump see the tech analytics at,United States of America,California,CA,Joe Biden,1,0.1\r\n1260,11/2/2020,which one is joebiden,United States of America,Missouri,MO,Joe Biden,2,0\r\n1261,11/2/2020,who will be better for your 401k trump or biden the budgetmodel is cited in this newsweek article that breaks down each candidate's potential impact,United States of America,Pennsylvania,PA,Joe Biden,2,0\r\n1262,11/2/2020,who will win tomorrow trump biden trumppence2020 bidenharris2020 polls election2020 electionday,United States of America,New York,NY,Joe Biden,2,0\r\n1263,11/2/2020,who will/did you vote for usa electionpoll trump bidenharris biden trump2020landslidevictory covid19 uselections2020 voteresponsibly vote trumplandslide redwave2020 bluewavefestival2020,United States of America,Oklahoma,OK,Joe Biden,2,0\r\n1264,11/2/2020,whoever wins or looses -this'll be a podcast you'll want to listen to; eosnos on biden and johnwdean on authoritarianism in america;  kcrw,United States of America,California,CA,Joe Biden,2,0\r\n1265,11/2/2020,why im voting biden trump is the first president to believe the president of russia is a better source of intelligence than the united states intelligence department.,United States of America,California,CA,Joe Biden,0,-0.6\r\n1266,11/2/2020,why is trump lagging in the polls in part it\xe2\x80\x99s because he has spent so much energy building up excuses for why he might lose biden election2020 thehill,United States of America,District of Columbia,DC,Joe Biden,0,-0.8\r\n1267,11/2/2020,why the vote count early on electionnight could be misleading  via voxdotcom news election2020 electionday elections2020 2020election 2020elections biden trump bidenharris2020 bidenharris2020tosaveamerica trumpispathetic trumpispathetic,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1268,11/2/2020,why worry doesn\xe2\x80\x99t anyone trust the liberal news that joebiden is expecting to win by a landslide,United States of America,New York,NY,Joe Biden,0,-0.7\r\n1269,11/2/2020,with record turnout joe biden will win the popular vote election2020 electionprediction  joebiden donaldtrump presidentialelection pubsentpoll,United States of America,New York,NY,Joe Biden,1,0.5\r\n1270,11/2/2020,withbidenwecan votebluetoendthenightmare biden maga,United States of America,District of Columbia,DC,Joe Biden,1,0.3\r\n1271,11/2/2020,worstchristmasever biden trump election2020 youngstown ohio movie watch,United States of America,Ohio,OH,Joe Biden,1,0.1\r\n1272,11/2/2020,wow. even foxnews can't ignore the fact that trump could be in real trouble biden bidenharris2020 election2020  foxnews,United States of America,California,CA,Joe Biden,1,0.1\r\n1273,11/2/2020,wth does johnlegend or ladygaga know about being furloughed &amp; struggling to pay bills keeping kids away from school &amp; getting free b\xe2\x80\x99fast or lunch shutting down a business &amp; unable to pay ur employees biden is so out of touch with middle america gtfoh,United States of America,Iowa,IA,Joe Biden,0,-0.8\r\n1274,11/2/2020,yes biden americaneedspennsylvania ladygaga,United States of America,Tennessee,TN,Joe Biden,1,0.4\r\n1275,11/2/2020,you are taking a flight no peanuts or drinks by you get joebiden asking you.,United States of America,California,CA,Joe Biden,0,-0.7\r\n1276,11/2/2020,you know a joe biden rally is going horribly wrong when even his translator needs a translator. whatdidhesay biden quepasa,United States of America,Tennessee,TN,Joe Biden,0,-0.2\r\n1277,11/2/2020,you need to go to australia to see this obvious truth on tv. trump biden democrat civilwar libertyandprosperity landp1776. gab,United States of America,New Jersey,NJ,Joe Biden,2,0\r\n1278,11/2/2020,you take you joebiden can take his doom &amp; gloom back with him to the basement. trump2020landslidevictory,United States of America,Texas,TX,Joe Biden,2,0\r\n1279,11/2/2020,\xe2\x80\x98we will vote. he will lose. he will leave. make it happen\xe2\x80\x9d -rick wilson lincoln project votebidenharristoendthisnightmare biden bidenharris2020 election2020 electionday,United States of America,District of Columbia,DC,Joe Biden,0,-0.4\r\n1280,11/2/2020,\xe2\x81\xa6joebiden\xe2\x81\xa9 tax plan could increase tax rates for high earners in major cities to 62%. with the trend of people fleeing major cities with high costs of living could a biden election lead to a further exodus from these cities \xe2\x81\xa6cnbc\xe2\x81\xa9 taxes,United States of America,New York,NY,Joe Biden,0,-0.5\r\n1281,11/2/2020,\xe2\x9d\xa4\xef\xb8\x8f maga trump2020tosaveamerica 4moreyears biden 2020election latinosfortrump latinos redwave draintheswamp freedom kag2020trumpvictory maga2020 america,United States of America,New York,NY,Joe Biden,1,0.4\r\n1282,11/2/2020,\xf0\x9f\x93\xa3 new podcast ep. 977 | election day eve | the fight moving forward | how america must change on spreaker 2020_election biden election election_2020 trump trump_biden,United States of America,Massachusetts,MA,Joe Biden,2,0\r\n1283,11/2/2020,\xf0\x9f\x98\x82\xf0\x9f\x92\xa6 biden\xf0\x9f\x91\x8e\xf0\x9f\x8f\xbb beijingjoe,United States of America,New York,NY,Joe Biden,1,0.3\r\n1284,11/2/2020,\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 ahdadada... that's all folkstime for retirement joebiden,United States of America,New York,NY,Joe Biden,2,0\r\n1285,11/2/2020,\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 idiot. shame on any hispanic black or asian voting for a racist clown. trump &amp; his administration doesn\xe2\x80\x99t care about you. wake up. votebidenharristosaveamerica biden \xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99,United States of America,Massachusetts,MA,Joe Biden,0,-0.4\r\n1286,11/2/2020,\xf0\x9f\x9a\xa8case closed \xf0\x9f\x9a\xa8watch \xf0\x9f\x91\x87pedo pinocchio joe biden can\xe2\x80\x99t even talk. pure gibberish \xf0\x9f\xa7\x90 only an insane moron would vote for this brainless bag of bones \xf0\x9f\x98\xa1 china \xf0\x9f\x87\xa8\xf0\x9f\x87\xb3owns the bidencrimefamiiy voteredtosaveamerica votetrumptokeepamericafree \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x99\x8f,United States of America,Texas,TX,Joe Biden,0,-0.8\r\n1287,10/15/2020,our political leaders have a responsibility to tell the truth and focus on saving lives.  no more lies pleasemaga2020 voters vote elections_2020 usa americans voteearly coronavirus corona politics politicstoday peoplepower potus news trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1288,10/15/2020,donaldtrump battlerap,United States of America,New York,NY,Donald Trump,1,0.3\r\n1289,10/15/2020,johnfetterman and his wife should have prosecuted this woman . the hate in this country is out of hand because of president trump it\xe2\x80\x99s sickening,United States of America,Pennsylvania,PA,Donald Trump,0,-0.9\r\n1290,10/15/2020,-us doj stops anti-covid-19 funds to portland and alleged anarchistic jurisdictions  covid trump biden oregon pdx portland beaverton orpol ronwyden jeffmerkley gop trimet pdxtraffic,United States of America,Oregon,OR,Donald Trump,0,-0.6\r\n1291,10/15/2020,.lisamurkowski we haven't forgotten what hypocrite senatemajldr did to merrickgarland. you have no mandate to approve nomination to scotus while voters are deciding. trump is going to lose &amp; take many of you down with him. do the right thing &amp; vote no on amyconeybarrett.,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n1292,10/15/2020,.realdonaldtrump lied to and fucked over farmers factory coal and steelworkers. they aren't forgetting...  trump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1293,10/15/2020,100 hollywood celebrities demand nbc reschedule trump town hall 'don\xe2\x80\x99t give trump a ratings win' trump politicalviews politicalparties,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1294,10/15/2020,2 to 6 million will die becz herdimmunity is lazy way out for trumpunfit4potus &amp; not even likely there is immunity to covid19 at all but trump doesnt care who dies or that people will be so scared to leave home becz his magat deplorables think macho not to wear mask .maddow,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1295,10/15/2020,2020 census psa what is the 2020 census 30  via youtube the trump administration fought in court to stop the  today. if you haven\xe2\x80\x99t done it please do so by midnight,United States of America,Nevada,NV,Donald Trump,0,-0.1\r\n1296,10/15/2020,a movie about your typical trump supporter and how they like be \xf0\x9f\x98\x82hillbillyelegy,United States of America,California,CA,Donald Trump,1,0.4\r\n1297,10/15/2020,acyn suckitlindsey....like you do to trump's azzzzzzzzzzzz,United States of America,Louisiana,LA,Donald Trump,0,-0.1\r\n1298,10/15/2020,add a few more future deaths and many more sick to the 216000+ dead and 7.9+ million having tested positive to covid19. he actually wants to harm more people. trump and the virus together a dance of death. trump superspreader iowa,United States of America,Oregon,OR,Donald Trump,0,-0.4\r\n1299,10/15/2020,adjunctdespot not trump nominees. they only have to promise  loyalty to their supreme leader. the corrupt gop will take care of the rest,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1300,10/15/2020,after trump and amyconeybarrett kill the aca ins profits will plummet uninsured will explode and uberrrich get tax cut. remember as you vote realdonaldtrump sold your health insurance to buy tax cuts for 10% barackobama joebiden,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1301,10/15/2020,agbarr didn\xe2\x80\x99t precisely mirror desperateloser trump\xe2\x80\x99s spygate narrative &amp; is now on the poo-poo list.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1302,10/15/2020,agweekmagazine talks about agriculture ranching farming and election2020 trump vs biden vote,United States of America,Texas,TX,Donald Trump,2,0\r\n1303,10/15/2020,allinwithchris i am not to going to watch realdonaldtrump townhall or any nbc msnbc affiliated show tonight. i deleted my recordings for maddow and chrislhayes so that nbcnews  msnbc and trump get terrible ratings tonight. shameful they are rewarding him with a town hall. nbcblackout,United States of America,California,CA,Donald Trump,0,-0.4\r\n1304,10/15/2020,an example of the trump\xe2\x80\x99s disdain for americans melania didn\xe2\x80\x99t write this re covid__19; it\xe2\x80\x99s full of typos she hilariously said the trumps\xe2\x80\x99 all \xe2\x80\x98took care of each other..\xe2\x80\x99 donaldtrump has never taken care of anyone but himself &amp; she said she cured herself \xe2\x80\x98naturally.\xe2\x80\x99,United States of America,California,CA,Donald Trump,0,-0.3\r\n1305,10/15/2020,and its gone.. but the freak show continues or is it a clown show mannarino economy nwo wallstreet bailout trump biden,United States of America,California,CA,Donald Trump,0,-0.8\r\n1306,10/15/2020,and opportunity for trump to lie w/o any response. disgusting that .nbc wld give trumpunfit4potus this stage.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1307,10/15/2020,and yet your still promoting trump handling of covid . soooo you\xe2\x80\x99re cool with him winning.,United States of America,California,CA,Donald Trump,2,0\r\n1308,10/15/2020,anonymous trump official defends ag after president publicly blasts him \xe2\x80\x98bill barr saved his presidency and everyone knows it\xe2\x80\x99..trump..gop,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1309,10/15/2020,another 'massive' trump conspiracy theory totally fizzles out - cnn whitehouse political trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1310,10/15/2020,another killer realdonaldtrump ad from donwinslow...  trump election2020,United States of America,New York,NY,Donald Trump,2,0\r\n1311,10/15/2020,another murdoch hack job - just like foxnews and spread by trump lovers like,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n1312,10/15/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1313,10/15/2020,aravosis trump and pence dreams attempting to come true. they wanted both joebiden +kamalaharris to get covid19 my prayers for themtheir families their friends + staff. flipthesenateblue votebluedownballot bidenharristosaveamerica +our lives +our rights during a pandemic \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x8f\xb3\xef\xb8\x8f\xe2\x80\x8d\xf0\x9f\x8c\x88,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1314,10/15/2020,armeniastrong artsakhstrong donaldtrump donate stopazzeriaggression sanctionturkey sanctionerdogan peaceforarmenians stoperdogan lockdown openyoureyes poto sosarmenia covid__19 recognizeartsakh voteready endsars,United States of America,California,CA,Donald Trump,1,0.1\r\n1315,10/15/2020,armeniastrong artsakhstrong donaldtrump donate stopazzeriaggression sanctionturkey sanctionerdogan peaceforarmenians stoperdogan lockdown openyoureyes poto sosarmenia covid__19 recognizeartsakh voteready endsars,United States of America,California,CA,Donald Trump,1,0.1\r\n1316,10/15/2020,armeniastrong artsakhstrong donaldtrump donate stopazzeriaggression sanctionturkey sanctionerdogan peaceforarmenians stoperdogan lockdown openyoureyes poto sosarmenia covid__19 recognizeartsakh voteready endsars,United States of America,California,CA,Donald Trump,1,0.1\r\n1317,10/15/2020,armeniastrong artsakhstrong donaldtrump donate stopazzeriaggression sanctionturkey sanctionerdogan peaceforarmenians stoperdogan lockdown openyoureyes poto sosarmenia covid__19 recognizeartsakh voteready endsars worldpeaceday,United States of America,California,CA,Donald Trump,1,0.1\r\n1318,10/15/2020,as coronavirus spread reports of trump administration\xe2\x80\x99s private briefings fueled stock sell-off - the new york times,United States of America,California,CA,Donald Trump,0,-0.5\r\n1319,10/15/2020,as they play to their so called 'voter base' trump &amp; mcconnell continue to mock the covid__19 public healthcare crisis that has impacted millions of american families with medical and economic tragedy,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n1320,10/15/2020,asked about europe's new round of lockdowns because of second wave of coronavirus cases trump says we're not doing anymore lockdowns.,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1321,10/15/2020,at some point everyone will be asking why the trump administration and campaign have employed classic russian deza for 6 years... electioninterference disinformation hackers votebluetosaveamerica,United States of America,California,CA,Donald Trump,0,-0.8\r\n1322,10/15/2020,at trumps iowa rally this eve which state has a two-fold spike of covid they are blaring phil collins something in the air tonight\xe2\x80\xbc\xef\xb8\x8fyeah einstein\xe2\x80\x99s it\xe2\x80\x99s called covid19 philcollinsfeed philcollins ceaseanddesist trump realdonaldtrump,United States of America,California,CA,Donald Trump,0,-0.6\r\n1323,10/15/2020,beck_amikebeck sexcounseling realdonaldtrump dude - the stockmarket tripled under obama. it's 1.5x under trump. learn about the energy independence.,United States of America,New York,NY,Donald Trump,2,0\r\n1324,10/15/2020,beck_amikebeck sexcounseling realdonaldtrump live in denial man. joebiden raised almost $400m in sept.  a record that trump is no where near. showing up at an airport to watch a celebrity talk political comedy and satire vs enthusiasm in putting $$ on the table i'll take the latter. teamtrump must be shitting bricks,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1325,10/15/2020,bet y\xe2\x80\x99all didn\xe2\x80\x99t know hunterbiden was campaigning for donaldtrump  vote  \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8voteredtosaveamerica2020  joebiden,United States of America,California,CA,Donald Trump,0,-0.5\r\n1326,10/15/2020,between what texas is doing and the false ballotboxes from the gop in california  how will america ever again demand a voice for the people in countries with dictators holding trump accountable is about more than just this election. gopcorruptionovercountry truthmatters,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1327,10/15/2020,biden raises record $383 million in september giving him financial edge over trump,United States of America,Puerto Rico,PR,Donald Trump,2,0\r\n1328,10/15/2020,bidenharris bidenharris bidenharris bidenharris bidenharris bidenharris bidenharris bidenharris bidenharris bidenharris bidenharris bidenharris bidenharris bidenharris trump out trumpvirus,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1329,10/15/2020,biden|harris - because america is tired of the trump bs ...,United States of America,California,CA,Donald Trump,0,-0.4\r\n1330,10/15/2020,big tech has to be all in on getting rid of trump now because if they don\xe2\x80\x99t the grimm tech reaper will come knocking. trump bigtech republicans realtalk,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1331,10/15/2020,billbarr must go ethics groups demand congress impeach attorney general for using doj as a vehicle to advance donaldtrump reelection,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n1332,10/15/2020,bookertparty realdonaldtrump trump thank you,United States of America,Texas,TX,Donald Trump,1,0.5\r\n1333,10/15/2020,boycottmsnbc boycotttrumptownhall firechucktodd boycottnbcnews shame on nbcnews msnbc for putting on trump shit show.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1334,10/15/2020,boycottnbc tonight. tune into abc for joebiden's town hall. let's make trump cry because no one is watching him.,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n1335,10/15/2020,breakingnews this just in; nbcnews is donating 1 hour of it's  air time to foxnews viewers \xf0\x9f\x98\xac how disrespectful of it's otherwise loyal viewers well have at it suffocate yourselves in trump lies. i'll be tuned into abc watching  \xf0\x9f\x99\x82 joebiden \xf0\x9f\x91\x8d,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1336,10/15/2020,bruh... damnit joebiden c\xe2\x80\x99mon man\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f election2020 biden trump2020 joebiden donaldtrump comeonman shutupman,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1337,10/15/2020,businessinsider joebiden why don\xe2\x80\x99t you talk about the contracts obama granted ukraine after hunterscrackpipe was appointed as an energy executive \xf0\x9f\x98\x82. 40 years of doing zero. oh yes a bunch of racist remarks. read the facts people. donaldtrump realdonaldtrump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1338,10/15/2020,but just when everything in the world seems insane dr. carole lieberman creates a sanctuary for sanity.  president trump election stress,United States of America,Arizona,AZ,Donald Trump,1,0.1\r\n1339,10/15/2020,by this time next week trump is going to be insisting that he didn't actually need any drugs and that he beat covid completely by himself through sheer force of will.,United States of America,Oregon,OR,Donald Trump,0,-0.6\r\n1340,10/15/2020,c'mon this doesn't seem to make a whole lot of sense. even if california was going to hell what sense is in voting trump and sending the entire country to hell with it \xf0\x9f\x99\x84\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f vote bidenharris2020 urbanagenda bospoli mapoli election2020,United States of America,Massachusetts,MA,Donald Trump,0,-0.8\r\n1341,10/15/2020,can\xe2\x80\x99t get over nbcnews giving trump all that air time when he refused to cooperate with the commisiononpresodentialdebates ....  i\xe2\x80\x99m going to miss maddow joyannreid nicolledwallace ......,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1342,10/15/2020,carolinegiuliani la hija d giuliani abogado personal y asesor d trump pide en este editorial d vanityfair q la gente vote x biden se suma al club integrado xclaudia conwayhija d kellyannepolls q siempre despotrica en tiktok_us ctra su madre xser parte d esta administraci\xc3\xb3n,United States of America,New York,NY,Donald Trump,1,0.2\r\n1343,10/15/2020,censorship trump biden,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1344,10/15/2020,clary_co milanv kharibiskut anecdotal evidence suggests that most pro-biden indian-americans are also pro-modi. is this hypocrisy btw modi is on record endorsing trump when he said in houston apki bar trump sarkar\xe2\x80\x9d,United States of America,California,CA,Donald Trump,0,-0.5\r\n1345,10/15/2020,comcast nbcuniversal paid trump and biden comcast xfinity union ratings greed followthemoney trump biden votethemallout firechucktodd xfinity nbcuniversal brianroberts davidcohen comcastoutage boycottcomcast,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1346,10/15/2020,comcast why give trump that time after he calls you concast  seems like a dumb move  better be truthful or you lose all credibility,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n1347,10/15/2020,congress continues to tank compared to trump on approval rating. thus there is no real argument that trump's job approval is the surest sign that he will lose re-election. this election comes down to 1 turnout &amp; 2 how well the legislative branch campaigns are doing.,United States of America,California,CA,Donald Trump,0,-0.2\r\n1348,10/15/2020,congressmanmassie thomasmassie on coronavirus governmentmandates trump scotus amyconeybarrett democracy v republic...,United States of America,Ohio,OH,Donald Trump,0,-0.3\r\n1349,10/15/2020,contrast michael reinoehl suspect in white supremacist's death was murdered by us marshals w/o effort to arrest him but kyle rittenhouse after murdering 2 allowed to stroll home &amp; challenge extradition. \xe2\x80\x98retribution\xe2\x80\x99 by trump vs \xe2\x80\x98innocent until proven guilty\xe2\x80\x99 .maddow vote,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1350,10/15/2020,cuomoprimetime cancel an icecube  bit&amp;$ but keep putting pressure on realdonaldtrump platinumplan he\xe2\x80\x99s a dealmaker vote\xc2\xa0\xc2\xa0  voteearly\xc2\xa0platinumplan  killermike  cthagod  raylewis jimbrownnfl32 platinumplan  debates2020\xc2\xa0\xc2\xa0  debate2020 elections2020\xc2\xa0\xc2\xa0 trump,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1351,10/15/2020,cybersecurity biden trump digitalart voteinperson voteearly debatenight,United States of America,California,CA,Donald Trump,2,0\r\n1352,10/15/2020,daveweigel i sure hope trump pardons rudygiuliani in advance of treason charges.,United States of America,California,CA,Donald Trump,0,-0.4\r\n1353,10/15/2020,dear maga kag &amp; all trumpsupporters; contacttracing shows there are 10-20 covid__19 coronavirus  cases linked to every trumprally bc your idiot donaldtrump doesn\xe2\x80\x99t say to wearamask or use socialdistancing even after trumpcaughtcovid how can you be this stupid,United States of America,California,CA,Donald Trump,0,-0.8\r\n1354,10/15/2020,delusions swimming around in the trump brain. trumpisalaughingstock trumpisnotwell,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1355,10/15/2020,democrats unanimously censure lawmaker who credited trump for coronavirus recovery  donaldtrump karenwhitsett michigan via aliciafixluke,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n1356,10/15/2020,do i have any twitter \xe2\x80\x9cfollowers\xe2\x80\x9d who were 2016 trump voters and are voting for biden in 2020 vote,United States of America,Utah,UT,Donald Trump,0,-0.3\r\n1357,10/15/2020,do you stand in full support of a man who profits off of caging human lives in conditions where covid is rampant and both inmates and employees have died and who also gives large donations to trump goodchristiannot belmontdebate2020 belmontuniversity bebetterbelmont,United States of America,Tennessee,TN,Donald Trump,0,-0.7\r\n1358,10/15/2020,do you think donaldtrump's campaign is appealing to the voters deciding the election2020  let us know \xe2\xac\x87\xef\xb8\x8f,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1359,10/15/2020,do you think there are more americans who are voting for trump but aren\xe2\x80\x99t admitting so publicly or more americans voting for biden who aren\xe2\x80\x99t admitting so publicly i sure hope it's the latter.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1360,10/15/2020,doctor rips white house embrace of \xe2\x80\x98herd immunity\xe2\x80\x99 to cnn \xe2\x80\x98another word for mass murder\xe2\x80\x99..trump..gop..covi19,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1361,10/15/2020,don't wear a mask. don't go to the er.  just go home and tough it out. just like trump did.,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n1362,10/15/2020,donald trump 'big tech' censoring the new york post to save joe biden trump whitehouse politicalparties,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1363,10/15/2020,donald trump biden family 'corrupt as hell' for pursuing deals in china trump political whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1364,10/15/2020,donald trump cites \xe2\x80\x98pride\xe2\x80\x99 as reason to oppose democratic relief bill trumperyresistance trump,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n1365,10/15/2020,donaldtrump will be imploded on nov.3,United States of America,New York,NY,Donald Trump,2,0\r\n1366,10/15/2020,dont vote for that trump guy...,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1367,10/15/2020,dueling town halls represent high stakes for trump thehill,United States of America,Texas,TX,Donald Trump,2,0\r\n1368,10/15/2020,duelo televisado de trump y biden cada uno en un canal distinto  elecciones2020,United States of America,Florida,FL,Donald Trump,1,0.3\r\n1369,10/15/2020,edokeefe maggienyt kamalaharris if kamalaharris and joebiden test positive will they be flown to walterreedhospital for elite treatment like trump,United States of America,California,CA,Donald Trump,2,0\r\n1370,10/15/2020,even after all storms and crop demand fall farmers income raised thanks to trump election2020 trumprally,United States of America,California,CA,Donald Trump,1,0.4\r\n1371,10/15/2020,ffs ky you owe all of us amymcgrathky bc you\xe2\x80\x99ve stuck us w moscowmitch &amp; russiasrand for far 2 f\xe2\x80\x99ing long vote decency &amp; democracy not goptraitors &amp; trump you owe us this ky pls stand up for us we are counting on you richmitch has lots of $$ amy doesn\xe2\x80\x99t pls give\xe2\x9d\xa4\xef\xb8\x8f,United States of America,California,CA,Donald Trump,0,-0.7\r\n1372,10/15/2020,florida please wake up do not let this racist man get four more years he will wouldn\xe2\x80\x99t help your puerto rico but he\xe2\x80\x99ll take your vote trump arizona florida gop republicans americawakeup,United States of America,California,CA,Donald Trump,0,-0.6\r\n1373,10/15/2020,for potus trump's team to schedule a different townhall time on nbcnews than the bidentownhall on abc would require statesmanship and maturity. debates2020,United States of America,New York,NY,Donald Trump,1,0.1\r\n1374,10/15/2020,fox32news trump disciples killing police was not on my hellscape bingo card.,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1375,10/15/2020,funder why did eric take the 5th last week in his deposition investigating trump corp tax fraud trump said only mobsters do that.,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n1376,10/15/2020,geez iowa ~ can\xe2\x80\x99t you see that this man cares nothing about you your farmers or your state. it\xe2\x80\x99s all about him btw ~ trump did not win a nobelprize and was nominated by inconsequential people. to stroke his ego. votebidenharris2020 votebluedowntheballot iowarally,United States of America,Wisconsin,WI,Donald Trump,0,-0.4\r\n1377,10/15/2020,geraldorivera hunterbiden expose i guess you are desperate to kiss both rupertmurdoch's and donaldtrump's ass...how pathetic,United States of America,California,CA,Donald Trump,0,-0.8\r\n1378,10/15/2020,giving away native america stolen lands. another usa/trump disaster. trump covid__19,United States of America,California,CA,Donald Trump,0,-0.2\r\n1379,10/15/2020,globalism's failure is why we saw the election of trump succeed,United States of America,California,CA,Donald Trump,0,-0.7\r\n1380,10/15/2020,gofundme page raises only $50 before taken down utah trump supporter coughs on protesters says black lives don\xe2\x80\x99t matter becomes widely hated on the internet  robert brissette donald trump donaldtrump2020 donaldtrump coronavirus blm,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1381,10/15/2020,good morning the top 3 stories you \xe2\x9c\xa8need to know\xe2\x9c\xa8 as you get ready to take on your day happythursday momcast news headlines breakingnews whatshappening townhall biden trump covid_19 coronavirus,United States of America,Arizona,AZ,Donald Trump,1,0.8\r\n1382,10/15/2020,gop knows what\xe2\x80\x99s important.  fakenews focused on the destruction of iowafarms instead of president being nominated 4 a big prize.  iowa farmers understand &amp; that\xe2\x80\x99s why many don\xe2\x80\x99t trust msm go maga or the president won\xe2\x80\x99t visit.  no fun wearing the hat if trump won\xe2\x80\x99t visit.,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1383,10/15/2020,gop realdonaldtrump nobody has destroyed more family farms than trump  c\xe2\x80\x99mon man. farmers familyfarm iowa,United States of America,Minnesota,MN,Donald Trump,0,-0.2\r\n1384,10/15/2020,gop realdonaldtrump \xe2\x80\x9cno more state taxes\xe2\x80\x9d.  that\xe2\x80\x99s trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1385,10/15/2020,great point m. 4 years and nada but now with election day around the corner trump wants to do something icecube icecube vote,United States of America,Florida,FL,Donald Trump,1,0.1\r\n1386,10/15/2020,great short read with stunning imagery &amp; prose by briankarem on the trump whitehouse.,United States of America,Idaho,ID,Donald Trump,1,0.9\r\n1387,10/15/2020,great view of the south lawn of white house. whitehouse southlawn ellipse campaign2020 trump washingtonmonument,United States of America,District of Columbia,DC,Donald Trump,1,0.4\r\n1388,10/15/2020,greatest trump supporter at 38th rally trump is our first rockstar superhero president watch now  maga trump donaldtrump realdonaldtrump donaldjtrumpjr,United States of America,California,CA,Donald Trump,1,0.9\r\n1389,10/15/2020,hahahahaha trump,United States of America,California,CA,Donald Trump,2,0\r\n1390,10/15/2020,happy primeday trump directs federal government to pursue legislation making e-commerce platforms liable for counterfeit sales  shopify practicalecomm,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1391,10/15/2020,harris\xe2\x80\x99 dad slams his daughter\xe2\x80\x99s use of 'identity politics'  via youtube bidenharris2020 kamalaharris trump,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1392,10/15/2020,has anyone fact checked whether streaming a biden or trump town hall tonight on multiple devices from home actually bumps up the ratings brianstelter i can't find a clear answer online.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1393,10/15/2020,he just called corybooker stupid literally. donaldtrump,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n1394,10/15/2020,hey trump supporters how is the wall your president promised coming along donaldtrump trump2020,United States of America,Alabama,AL,Donald Trump,0,-0.4\r\n1395,10/15/2020,hkrassenstein putin via deutschebank all day long when every other modern president has released tax returns except nixon and we know how that turned out and trump tells you all you need to know. should not just be tradition should be law,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n1396,10/15/2020,hollywood's election divide who are donald trump and joe biden's celebrity supporters,United States of America,California,CA,Donald Trump,0,-0.5\r\n1397,10/15/2020,holy shit realdonaldtrump...this is horrible you\xe2\x80\x99re gonna lose in the biggest most humiliating landslide in history trump election2020,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1398,10/15/2020,how can an impeached president run for office again  it seems wrong.  abuse republicans trump impeached,United States of America,California,CA,Donald Trump,0,-0.8\r\n1399,10/15/2020,how online disinformation works on you and what you can do about it  medialiteracy truthmatters media news propaganda analysis psychology video deepfake deepfakes trump politics opinion essay covid education literacy,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1400,10/15/2020,how soon can he be brought up on charges trumphatchviolations trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n1401,10/15/2020,how to watch the trump and biden town\xc2\xa0halls,United States of America,Colorado,CO,Donald Trump,2,0\r\n1402,10/15/2020,hunter biden could very well end up costing his father the 2020election - i think we\xe2\x80\x99ve only seen the beginning of what nypost has up its sleeve. it\xe2\x80\x99ll be very ugly and difficult to brush off. i think trump is a great bet now at these prices. politics,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n1403,10/15/2020,hunter biden\xe2\x80\x99s alleged laptop an explainer  trump russia giuliani hunterbiden biden trumpdirtytrick newscorp nypost rupertmurdoch murdoch rudy putin ukraine,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1404,10/15/2020,hunterbiden hunterbidenemails joebiden teamtrump donaldtrump donaldtrumpjr trump2020landslide trump2020 jackdorsey facebook censorship2020 russia china big tech protecting fragile joe biden who is weak &amp; is in ill health please retweet this patriots patriotsunite,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1405,10/15/2020,i am not to going to watch realdonaldtrump townhall or any nbc msnbc affiliated show tonight. i deleted my recordings for maddow and chrislhayes so that nbcnews  msnbc and trump get terrible ratings tonight. shameful they are rewarding him with a town hall.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1406,10/15/2020,i don't even need to read this to know that it's a lie. quick google search &amp; looking  reports w/ various polls proved that trump is still above his avg on approval rating. highest adjusted was 45%. lowest was 42%. his avg is 40%. also congress went from 21% in aug to 17% now.,United States of America,California,CA,Donald Trump,0,-0.2\r\n1407,10/15/2020,i have lost track of what trump is talking about. so has trump.,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n1408,10/15/2020,i have no idea how republicans can deal working and supporting  a criminal donaldtrump how do you look your kids in the eye aren't you an accessory to a crime,United States of America,California,CA,Donald Trump,0,-0.9\r\n1409,10/15/2020,i have to work this evening.   i will be recording abctownhall but i will also leave my house for my 6 hour shift with the tv turned on to abc for ratings only. nbctrumptownhall is all about ratings for trump. \xf0\x9f\x99\x84,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n1410,10/15/2020,i hope the rest of america and the world wakes up democratsaredestroyingamerica biden vote wakeupamerica wakeup voteredtosaveamerica maga maga2020 kag fakenews fakepeople trump america,United States of America,California,CA,Donald Trump,1,0.2\r\n1411,10/15/2020,i just finished timothydsnyder's ontyranny maybe the most depressing book i've read. i don't know if trump &amp; gop follow a playbook on creating a dictatorship or if it's byproduct of self-interest but if we don't win big nov3 we'll see the last years of the republic.,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n1412,10/15/2020,i think it\xe2\x80\x99s ridiculous that donaldtrump decided to have a damn town hall same time and night as joebiden. so trump is too scared to debate biden but not to try and compete w/ biden on \xf0\x9f\x93\xba  theview,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1413,10/15/2020,i will be watching realdonaldtrump\xe2\x80\x99s townhall live and dvr\xe2\x80\x99ing joebiden\xe2\x80\x99s... because there\xe2\x80\x99s nothing better than watching trump implode when he\xe2\x80\x99s forced to interact with human life form...,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1414,10/15/2020,i would love to know how trump supporters find any reason to support a president that tweets crap like this. last i heard the president is 74. hrs no young buck. i guess he\xe2\x80\x99s either sabotaging himself or doesn\xe2\x80\x99t one anyone older than 75 voting for him. fine by me. \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1415,10/15/2020,i'm not even sorry for that last trump tweet.,United States of America,Oregon,OR,Donald Trump,0,-0.4\r\n1416,10/15/2020,icecube cube you\xe2\x80\x99re suggesting that trump is the better candidate for poc. have you lost your fucking mind,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1417,10/15/2020,icecube cuomoprimetime cnn yesterday- trump\xe2\x80\x99s  black senior advisors thanked icecube for helping trump develop their black platinum plan. all this time ice cube been talking about a \xe2\x80\x9cblack contract\xe2\x80\x9d he was working privately with trump. bullshit ain\xe2\x80\x99t nothing,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n1418,10/15/2020,icecube dannymoshow doesn\xe2\x80\x99t know the facts or stats. joebiden has made more racist remarks against african americans than any other president not to mention any policies he helped implemented imprisoned more minorities. what has joe done for african americans donaldtrump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1419,10/15/2020,icecube get out the news friends of trump  ...   we have the goods in his own handwriting on cia guy john brennan... how he helped hillary by tarring trump as a russian agent signed july 28 2016 maga,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1420,10/15/2020,icecube isn\xe2\x80\x99t for trump. he wants an agenda to help black people. ice cube spoke to the democrats as well. democrats want to discuss the plan after the election while trump wants to work something out. trump wants to win. democrat republican to stop police killing black ppl.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1421,10/15/2020,icecube i\xe2\x80\x99m not shocked about you selling out. half of the time your music claimed to be empowering the black community; when your music was just using the conditions to make a dollar trump,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1422,10/15/2020,icecube michaelrapaport cuomoprimetime cnn cube you seriously need to grasp the reality that america is on the verge of autocracy...at the hands of a corrupt democracy-raping dictator-wannabe and his corrupt enablers. you have legit gripes. but getting rid of trump is priority 1.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1423,10/15/2020,icecube you did the smart thing. joebiden uses the race card to gather votes while he has done nothing during his career to help minorities. \xe2\x80\x9cyou ain\xe2\x80\x99t black if you don\xe2\x80\x99t vote for me\xe2\x80\x9d. read the facts people. blacksfortrump donaldtrump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1424,10/15/2020,icymi could dems borrow gop playbook to roll back trump enviro rules tipsheet on what makes such reversals possible. + 6  vulnerable trump-era rules incl. on climatechange gas methane.   sejorg sej2020,United States of America,New York,NY,Donald Trump,2,0\r\n1425,10/15/2020,if apple wanted to save the planet they\xe2\x80\x99d make an iphone that lasted 10 years / icecube trump iphone12pro,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n1426,10/15/2020,if democrat win why is gop blocking stimuluspackage  anyway gop will lose senate if trump loses,United States of America,California,CA,Donald Trump,0,-0.7\r\n1427,10/15/2020,if trump wasn\xe2\x80\x99t such a personally loathsome human being he\xe2\x80\x99d be waltzing to re-election.,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n1428,10/15/2020,if you haven\xe2\x80\x99t voted \xf0\x9f\x97\xb3 yet make that shit happen trump gots to go immediately,United States of America,Tennessee,TN,Donald Trump,0,-0.9\r\n1429,10/15/2020,in a moment no dc resident will ever forget this summer trump called national guard troops from around the nation to fill our city\xe2\x80\x99s streets in an empty show of force ignoring dc\xe2\x80\x99s will and suppressing the voices of peaceful protestors.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1430,10/15/2020,in other words impeached trump's policy &amp; that of his administration to just let more and more of us contract the virus &amp; let more and more of us die that plan is not going to work--enough of us won't die apparently . . .  coronavirus thursdayvibes,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1431,10/15/2020,in the midst of a recession the economy is on the minds of most voters. curious about how trump and biden economic plans would differ wustlbusiness experts weigh in. election2020,United States of America,Missouri,MO,Donald Trump,0,-0.1\r\n1432,10/15/2020,is this truly where we are heading ... a full on dictatorship with hits ordered by trump,United States of America,Oregon,OR,Donald Trump,0,-0.7\r\n1433,10/15/2020,issarae nicole_bertrand it\xe2\x80\x99s racism &amp; ageism. trump planned herdimmunity needing ~60%+ infected. mortality rates for blacks &amp; hispanics is +3x for whites &amp; 75% for 65+. this is \xe2\x80\x9csocial murder\xe2\x80\x9d meaning those holding political power make others meet a too-early &amp; unnatural death. who suffers here,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1434,10/15/2020,it appears that the only 'unmasking' scandal we have is the one trump created after he left walter reed ripped off his face mask on the wh balcony told americans he beat covid and they should not let it dominate their lives how many more will die because of that lame advice,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n1435,10/15/2020,it is appalling that trump has held tightly packed rallies during the pandemic. this is a clear demonstration of the lack of morals of the trump administration.  need to defeat the immoral trump and his sycophants.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1436,10/15/2020,jack nypost actually my account was locked because i tagged jack in this tweet. i tried to tweet again tagging jack and my account was locked. hunterbiden trump freeassange wikileaks,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1437,10/15/2020,jack rubinreport nypost hunterbidenemails trump freeassange wikileaks,United States of America,New York,NY,Donald Trump,2,0\r\n1438,10/15/2020,janetzumba marmarshall88 shaunking aoc ousted a long time dem. we need to work from ground in states that need change.  nj re-elected her with 72%.  we need more katie hills aoc\xe2\x80\x99s challenging the norms and pushing progress.  biden listens and isn\xe2\x80\x99t as corrupt as trump. better to start with him in wh,United States of America,California,CA,Donald Trump,2,0\r\n1439,10/15/2020,jcnh77 he is rich yes but if we have learned anything about being rich it\xe2\x80\x99s that there is no limit to wanting to be richer. also ice cube is working with the trump admin right now so yes he is getting white favor currently.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1440,10/15/2020,jemelehill black family... please let\xe2\x80\x99s stop falling for the banana in the tailpipe there is no $500 billion coming from trump for our folks his plan for us is herd immunity.\xe2\x80\x9d trump flat out duped icecube. period get ya minds right. trump and his boys are about to gut everything,United States of America,Michigan,MI,Donald Trump,2,0\r\n1441,10/15/2020,jenniferjjacobs trump is a superspreader,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1442,10/15/2020,jimcarrey nbc abc just imagine that cesar conde chairman of nbc  is peruvian/cuban descendant...coincidence or trump supporter,United States of America,Nevada,NV,Donald Trump,0,-0.4\r\n1443,10/15/2020,joebiden 'the worst president' is gonna get 4 more years trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.9\r\n1444,10/15/2020,joebiden and their leader said leave it until after the election.  didn't donaldtrump say that  that's all you need to know.  striking down obamacare during a pandemic seems to be their priority.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1445,10/15/2020,joebiden jack twittercensorship censorship repeal230 trump,United States of America,California,CA,Donald Trump,0,-0.7\r\n1446,10/15/2020,johncornyn nypost hysterical you are actually worried about anything hunterbiden did when trump has all of his family in the middle of his administration &amp; businesses he never stepped back from trump is king of \xe2\x80\x9cconflict of interests\xe2\x80\x9d gophypocrisy turntexasblue and yes i am a texasvoter,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1447,10/15/2020,johnlundin wonder if he or his staff analyze such tweets for the number of positive words they should and could. i\xe2\x80\x99m going to praise. bidenharris more specifically biden with every attribute i like in him. over and over. which\xe2\x80\x99ll  be easy. i\xe2\x80\x99m sure some of them will infuriate trump,United States of America,Georgia,GA,Donald Trump,1,0.1\r\n1448,10/15/2020,joncoopertweets nbcnews abc i\xe2\x80\x99m happy i don\xe2\x80\x99t have to watch that moldy orange. voted today just turn on the biden town hall on every device and mute trump,United States of America,Oregon,OR,Donald Trump,1,0.3\r\n1449,10/15/2020,jsolomonreports why didn\xe2\x80\x99t their masks social distancing and hand washing work did they not believe the science hard enough maybe it\xe2\x80\x99s just a ploy to avoid questions from the media bidencrimefamily whereshunter hunterbidenemails kag trump,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1450,10/15/2020,just do your job and vote you\xe2\x80\x99re responsible for you whoever is supposed to win will and no debate or social media argument will change that. save your time and energy. \xf0\x9f\x8c\x8e\xf0\x9f\x8c\xb1\xe2\x98\x80\xef\xb8\x8f\xf0\x9f\xa6\x8b we\xe2\x80\x99re inthistogether trump icecube america bidenharris2020 humanity,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1451,10/15/2020,kylegriffin1 i hope that's one promise he'll keep. better yet i hope trump crawls back from under the rock he came from.,United States of America,Michigan,MI,Donald Trump,1,0.2\r\n1452,10/15/2020,kylegriffin1 this madness is really no way to run a democracy. every party taking power undoing everything the previous party did and suing against every action is why the u.s. will continue to stumble and fall. it will be the trump and gop legacy.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1453,10/15/2020,lining up the guests for my podcast \xe2\x80\x9chere now the news.\xe2\x80\x9d scaramucci nygovpaterson55 seandarcynj election2020  biden trump,United States of America,New York,NY,Donald Trump,1,0.1\r\n1454,10/15/2020,linksteroh nbcnews linksteroh you are just upset because trump will get three times the audience if not more.  no one wants to see joebiden.  go to his rallies.  they are more like parlor meetings.,United States of America,California,CA,Donald Trump,0,-0.6\r\n1455,10/15/2020,lol tired of losing yet trump,United States of America,New York,NY,Donald Trump,2,0\r\n1456,10/15/2020,lotusflowerom that's what i think but there seems to be a lot of stupid trump women out there.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1457,10/15/2020,luces c\xc3\xa1mara... y ataque total la batalla eterna de hollywood contra trump  elecciones2020,United States of America,Florida,FL,Donald Trump,2,0\r\n1458,10/15/2020,machismo \xf0\x9f\x98\x82 trump theview,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n1459,10/15/2020,maddow i am not to going to watch realdonaldtrump townhall or any nbc msnbc affiliated show tonight. i deleted my recordings for maddow and chrislhayes so that nbcnews  msnbc and trump get terrible ratings tonight. shameful they are rewarding him with a town hall. nbcblackout,United States of America,California,CA,Donald Trump,0,-0.4\r\n1460,10/15/2020,maga2020 kag2020 kag maga trump2020 trump trumpkillsus trumpisnotwell vetsagainsttrump veteran veteransfortrump veteran lindseymustgo moscowmitch moscowmitchtraitor mitchmcconnell lindseygraham,United States of America,California,CA,Donald Trump,1,0.1\r\n1461,10/15/2020,maga2020landslidevictory  maga trumpcrimefamily trumpcovid19 trumpisaracist trumpisnotamerica trumpisalaughingstock trumpislosing trump trumpcovid19,United States of America,Texas,TX,Donald Trump,2,0\r\n1462,10/15/2020,magicjohnson i just spit my coffee everywhere.. \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 better yet tune into donaldtrump on nbc at the same time,United States of America,California,CA,Donald Trump,0,-0.2\r\n1463,10/15/2020,maint47 mitchellreports chriscoons her history and philosophy is well documented. trump told us he will only nominate a judge who will get rid of healthcare abortion and vote to make him president again.,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1464,10/15/2020,make america great again thingstrumpsay trump iamtrump iwin america,United States of America,New York,NY,Donald Trump,2,0\r\n1465,10/15/2020,marketwatch bet on trump for the huge payout...like 2016 \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 trump2020 maga kag,United States of America,California,CA,Donald Trump,1,0.1\r\n1466,10/15/2020,markmazzettinyt katekelly sec_enforcement well let\xe2\x80\x99s see if sec_enforcement does anything about it. i mean seriously the rich got richer because they were able to sell off in mass while the rest of us lost thousands in our retirement funds. criminal insidertrading lockhimup trumpcrimefamily trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1467,10/15/2020,markos wow  and you know what else  core trump supporters are good with this.  that's were we are.,United States of America,Florida,FL,Donald Trump,1,0.2\r\n1468,10/15/2020,massachusetts republican governor massgovernor is not voting for trump. a growing base of republicans not supporting trump. even in my own household of republicans the tide has turned. voteblue. our future our children\xe2\x80\x99s future depend on us. vote bidenharris.,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n1469,10/15/2020,matthewamiller contrast michael reinoehl suspect in white supremacist's death was murdered by us marshals w/o effort to arrest him but kyle rittenhouse after murdering 2 allowed to stroll home and challenge extradition. \xe2\x80\x98retribution\xe2\x80\x99 by trump vs \xe2\x80\x98innocent until proven guilty\xe2\x80\x99 .msnbc vote,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1470,10/15/2020,mattmurph24 tadrow if a dozen or so of these senators who say these things in private were to suddenly have cojones and actually legislate against trump's political atrocities or to have voted for impeachment trump would have been gone long ago and we wouldn't be in our current hot mess.,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1471,10/15/2020,me trying to figure out which town hall to watch tonight trump biden,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1472,10/15/2020,media can\xe2\x80\x99t  have it both ways. they can talk mistruths about trump all the time but when it comes biden the media tries to have integrity. sorry not buying it. sad that the fbi had this info almost a year.,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1473,10/15/2020,meth mouth donald trump played \xe2\x80\x9ci\xe2\x80\x99m a proud to a mexican\xe2\x80\x9d song at his rally while attempting a double herd immunity with his marginal one chromosome missing link following.  maga methmouth meth donaldtrump,United States of America,California,CA,Donald Trump,0,-0.5\r\n1474,10/15/2020,mitch mcconnell torpedoes a stimulus package compromise between the white house and democrats politics government trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1475,10/15/2020,mittromney you have used your words to show disapproval of trump please do it with your vote to not confirm barrett confirming a scotus so close to election letthepeopledecide be the hero americans need &amp; democracy needs voteno on barrett,United States of America,California,CA,Donald Trump,0,-0.8\r\n1476,10/15/2020,mmpadellan now trump has corrupted us marshalls. this fascist monster and his enablers have to be stopped votethemallout votebidenharris2020,United States of America,Georgia,GA,Donald Trump,0,-0.7\r\n1477,10/15/2020,mnuchin says he'll give ground in stimulus talks trump says he would up offer. i don\xe2\x80\x99t want nancypelosi to call me a \xe2\x80\x9crepublican apologist\xe2\x80\x9d like wolfblitzer but why are democrats stalling stimulus,United States of America,California,CA,Donald Trump,0,-0.3\r\n1478,10/15/2020,more photos from the navajonation where i attended a \xe2\x80\x9cnavajos for trump\xe2\x80\x9d event with john pence - part of a series of articles from around the country ahead of election2020,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1479,10/15/2020,mschlapp when trump acts like a racist science-denying idiot 100% of the time than 90% neg coverage is actually slanted unfairly towards trump. votebluetosaveamerica,United States of America,Minnesota,MN,Donald Trump,0,-0.2\r\n1480,10/15/2020,msnbc i am not to going to watch realdonaldtrump townhall or any nbc msnbc affiliated show tonight. i deleted my recordings for maddow and chrislhayes so that nbcnews  msnbc and trump get terrible ratings tonight. shameful they are rewarding him with a town hall.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1481,10/15/2020,msnbc vinguptamd i am not to going to watch realdonaldtrump townhall or any nbc msnbc affiliated show tonight. i deleted my recordings for maddow and chrislhayes so that nbcnews  msnbc and trump get terrible ratings. shameful they are rewarding him with a town hall.msnbcblackout,United States of America,California,CA,Donald Trump,0,-0.7\r\n1482,10/15/2020,my daddy trump showed me his maguc mushroom...shhhhh told me not tell nobody...its our little secret,United States of America,Colorado,CO,Donald Trump,2,0\r\n1483,10/15/2020,my friend just posted that  her friend voted and at the end when it says to check the machine changed her vote to trump. please be aware the gop is going all out to win. check before you submit your vote. bluewave2020 votehimout2020 bidenharrislandslide2020,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1484,10/15/2020,nancypelosi told lawrenceodonnell tonight that mitchmcconnell has never taken the covid relief bill seriously. \xe2\x80\x9cthis is about the pandemic in case you haven\xe2\x80\x99t noticed\xe2\x80\x9d she said. we could have come to an agreement. trump shut down the discussion.,United States of America,Maryland,MD,Donald Trump,0,-0.3\r\n1485,10/15/2020,nbc disappointed us with the handling of trump\xe2\x80\x99s town hall airing. i hope they get the message from viewers that we watch nbc so we can get honesty - not conspiracies from trump.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1486,10/15/2020,nbcblackout count me in on being out. \xf0\x9f\x93\xba please rt trumpisnotamerica trump biden debate townhall nbcistrumpsaccomplice bidenharrislandslide2020 bidenharris2020tosaveamerica,United States of America,California,CA,Donald Trump,2,0\r\n1487,10/15/2020,nbcblackout trump it's over bye bye,United States of America,Louisiana,LA,Donald Trump,0,-0.6\r\n1488,10/15/2020,nbcnews gets worse by the day. trump town hall  what's he going to do yell at the audience the whole time  give us a break,United States of America,California,CA,Donald Trump,0,-0.7\r\n1489,10/15/2020,nedopposes bluewavesaveus 1strongrobin fix8d2020 bostonbubbalooo radio_martin dadilicious2 peatches66 latinamominla ask__me__why sarabellomy breaultcrow zackhammer7 la_bete_humaine seacreaturemama drodvik52 djangomydog collieflower922 botsydevos jmspivey37 lanceusa70 davidsongc wildinwv srmex snickold flowerandiris1 mercurial_lg sal_2020_ desnoyerrobert rebelart5 antitrumputin ezolaezola pauldereume geranthrimin george_jorge666 dk1821dk no they shouldn\xe2\x80\x99t have died if trump would have been truthful a lot of people would have lived  he new the coronavirus was deadly and said nothing  despicable,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n1490,10/15/2020,never should have happened.  nbcboycott. trump should not be rewarded with free hour of tv for refusing to comply with debate rules and just shut the fuck up,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1491,10/15/2020,nick anderson for october 15 2020 |   via gocomics voterfraud trump 2020election foxnews,United States of America,California,CA,Donald Trump,2,0\r\n1492,10/15/2020,nightly one fingered salute to our man trump,United States of America,Colorado,CO,Donald Trump,1,0.6\r\n1493,10/15/2020,notice biden campaign not denying post\xe2\x80\x99s scoop facts on hunter biden\xe2\x80\x99s sleaze  voteearly\xc2\xa0 election2020\xc2\xa0 biden trump digitaltransformation,United States of America,California,CA,Donald Trump,0,-0.6\r\n1494,10/15/2020,notsolittleold1 kshering trump. she needs a little sympathy that\xe2\x80\x99s all i\xe2\x80\x99m saying and that response was not it. i did not mean to offend you.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1495,10/15/2020,nunesalt donaldtrump has put the secretservice marineone and airforceone crews in so much danger with the trumpvirus that on his last flight out of dc they may just dump him out over the atlantic.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n1496,10/15/2020,obama his secs of state clinton &amp; kerry .. and trump .. have all engaged in **unseemly** ingratiation of dictators. the difference is obama administration policies generally reflected that ingratiation whereas trump administration policies are tougher than his words.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1497,10/15/2020,obama trump,United States of America,Georgia,GA,Donald Trump,2,0\r\n1498,10/15/2020,of course donaldtrump was concerned about barron . his actual quote about the diagnosis was it should have been eric.,United States of America,California,CA,Donald Trump,0,-0.3\r\n1499,10/15/2020,oh there will be a debate  trump vs savannahguthrie and hostile attendees. trumptownhall,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1500,10/15/2020,ohhhhh damnnn and there\xe2\x80\x99s audio \xf0\x9f\x98\x82 \xf0\x9f\x98\x82 \xf0\x9f\x98\x82 realdonaldtrump trump,United States of America,California,CA,Donald Trump,2,0\r\n1501,10/15/2020,ok so bensasse and chrischristie break with realdonaldtrump in the same day it's starting. by election day they will all have dumped him. he's a loser and he's toxic now. they have no more use for their useful idiot...  trump election2020,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1502,10/15/2020,oliviaisfrank funder thedemcoalition rudy guilini is a trump bot besides which he suffering from dementia. he is evil personified,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1503,10/15/2020,once again i feel its the right time for a reminder. i am not a bot. i am not an automated account. i am a flesh and blood american man. my opinions are my own. i have the right to resist trump in replies to his tweets. thank you for your time. trumpisaloser,United States of America,Washington,WA,Donald Trump,2,0\r\n1504,10/15/2020,other leaders including france's emmanuel macron canada's justin trudeau and britain's boris johnson are leveling with their people about difficult days to come and  working to get covid under control trump said wednesday that they we're rounding that final turn. liar,United States of America,Utah,UT,Donald Trump,0,-0.5\r\n1505,10/15/2020,out of everybody i\xe2\x80\x99ve had to cancel for supporting trump icecube hurts  and i hate cancel culture .,United States of America,California,CA,Donald Trump,0,-0.9\r\n1506,10/15/2020,packed house in iowa for trump,United States of America,Illinois,IL,Donald Trump,2,0\r\n1507,10/15/2020,pamplin media group - mayoral aspirants hit each other over campaign quotes  portlandprotests portlandriots pdx oregon tedwheeler portland sarahiannarone antifa trump biden portlandpolice orpol,United States of America,Oregon,OR,Donald Trump,0,-0.7\r\n1508,10/15/2020,patriots usa trump flag i\xe2\x9d\xa4\xef\xb8\x8fusa,United States of America,Texas,TX,Donald Trump,1,0.3\r\n1509,10/15/2020,perhaps it\xe2\x80\x99s time for thedemocrats to move away from nbcnews msnbc allinwithchris thereidout maddow lawrence if they\xe2\x80\x99re going to keep trump on their payroll and bow to his every request. tune into abcnetwork instead.,United States of America,Tennessee,TN,Donald Trump,0,-0.5\r\n1510,10/15/2020,pleaseexpiresoonmfs livebythetrumpdiebythetrump trumpjimjones trumpspreads trumpistoblame trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n1511,10/15/2020,pottercatsmeat trump does too \xf0\x9f\x87\xba\xf0\x9f\x87\xb2\xf0\x9f\x87\xba\xf0\x9f\x87\xb2\xf0\x9f\x87\xba\xf0\x9f\x87\xb2,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n1512,10/15/2020,president donald trump takes questions on the economic recovery clarksvillle clarksvilletn montgomerycounty nashville tennessee uspresident donaldtrump news economy covid-19 coronavirus,United States of America,Tennessee,TN,Donald Trump,0,-0.1\r\n1513,10/15/2020,president trump hospitalized with covid-19 why aren't you wearing a mask 12 reasons for.  covid19 facemask trump pandemic covididiots savealife politicians noendinsight blog blogger,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1514,10/15/2020,presidential debate trump\xe2\x80\x99s insult to biden family is disgusting   election2020,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1515,10/15/2020,presidentialdebate2020 donaldtrump joebiden america,United States of America,Ohio,OH,Donald Trump,1,0.3\r\n1516,10/15/2020,presssec twitter stop spreading lies and they won\xe2\x80\x99t lock you out. but you decided to work for trump. you dearie are not above the law.,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1517,10/15/2020,presssec who did the trump administration censor,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1518,10/15/2020,pretty certain laura branigan is turning in her grave right now.... trump iowa covid19 covidiots,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1519,10/15/2020,ramonitasilva7 realdonaldtrump absolutely you can trust trump will stab them in the back as soon as he can,United States of America,Florida,FL,Donald Trump,2,0\r\n1520,10/15/2020,rapper icecube\xc2\xa0has apparently been working with trump\xe2\x80\x99s campaign to develop the platinumplan\xe2\x80\x9d which promises a slew of benefits for africanamericans that have not happened yet but will purportedly happen if trump gets another term. rap blm,United States of America,Indiana,IN,Donald Trump,2,0\r\n1521,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1522,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1523,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1524,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1525,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1526,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1527,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1528,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1529,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1530,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1531,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1532,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1533,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1534,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1535,10/15/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1536,10/15/2020,realdonaldtrump biden will bring the american dream back to young americans trump only gave us a pandemic and economic nightmare anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue,United States of America,California,CA,Donald Trump,0,-0.5\r\n1537,10/15/2020,realdonaldtrump billions and billions of trump lies anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,0,-0.1\r\n1538,10/15/2020,realdonaldtrump does do worse at townhalls and debates2020 also. let's see how hard it is for him to find a job when he loses this one. trump youarefired. notmypresident,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1539,10/15/2020,realdonaldtrump great idea then trump you must release your tax returns and all the documents relating to your company &amp; children &amp; son in law profiting off the presidency you all have blocked.  then lift the injunctions on women suing you for sex assaults. full transparency.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1540,10/15/2020,realdonaldtrump isn\xe2\x80\x99t it past your elderly bedtime melania is counting your days until she can move on to someone actually attractive. trumpisalaughingstock trump,United States of America,Washington,WA,Donald Trump,0,-0.1\r\n1541,10/15/2020,realdonaldtrump nypost donaldtrump psychological projector in chief. trumpcrimefamily liarinchief bidenharris2020,United States of America,New York,NY,Donald Trump,1,0.1\r\n1542,10/15/2020,realdonaldtrump realdonaldtrump projects on others what he is confessing about himself. here admitting that we need to see trump business records in his family\xe2\x80\x99s business dealings and influence peddling around the world. trumpfraud trumpcrimefamily thanks realdonaldtrump for your confession,United States of America,New York,NY,Donald Trump,2,0\r\n1543,10/15/2020,realdonaldtrump sorry- hyperbole is not a good look in 2020. besides the trump base nobody is buying this tiresome verbal flatulence,United States of America,California,CA,Donald Trump,0,-0.8\r\n1544,10/15/2020,realdonaldtrump that\xe2\x80\x99s the best you have you killed 220000 americans for christ sake and still ignore the pandemic and you ruined our economy anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue,United States of America,California,CA,Donald Trump,0,-0.8\r\n1545,10/15/2020,realdonaldtrump trump attacks black women anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,2,0\r\n1546,10/15/2020,realdonaldtrump trump condones the killing of fetuses as long as he gets cured anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris,United States of America,California,CA,Donald Trump,0,-0.1\r\n1547,10/15/2020,realdonaldtrump trump hates dogs anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,0,-0.6\r\n1548,10/15/2020,realdonaldtrump trump never even talked to the blake family. trump is a national disgrace biden actually cares. anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm,United States of America,California,CA,Donald Trump,0,-0.5\r\n1549,10/15/2020,realdonaldtrump trump trump's whole existence is based on lies trumplieseverytimehespeaks trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1550,10/15/2020,realdonaldtrump trumpliedpeopledied trump liar,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1551,10/15/2020,realjameswoods are those trump's balls they are holding,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1552,10/15/2020,really. trumppence2020 trumpcovid19 trump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1553,10/15/2020,relapse or did trump just run out of drugs  either way -- back to the basement for trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1554,10/15/2020,ronaldreagan was an actor who became potus. jesseventura and arnoldschwarzennegger became governors. donaldtrump is president now and my people want to tear down icecube for a tangible plan of action and solutions \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,Missouri,MO,Donald Trump,0,-0.1\r\n1555,10/15/2020,rudy giuliani uses mocking asian accent in hot mic \xe2\x80\x98ah so\xe2\x80\x99 moment trumperyresistance trump,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n1556,10/15/2020,sad. and so symbolic of trump\xe2\x80\x99s pathetically transparent late-stage campaigning... bidenharris2020 projectlincoln frankrichny joebiden,United States of America,New York,NY,Donald Trump,1,0.2\r\n1557,10/15/2020,secret service signs for $180000 more in golf cart rentals for trump outings trumperyresistance trump,United States of America,Illinois,IL,Donald Trump,2,0\r\n1558,10/15/2020,send trump there,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n1559,10/15/2020,separate townhalls tonight bc trump and biden couldn\xe2\x80\x99t agree on how to have the 2nd debate. we\xe2\x80\x99re literally so divided now that our candidates won\xe2\x80\x99t even get together to argue.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1560,10/15/2020,sgt putin's heartless club band by ltcartoons trump trumprussia collusion muellerreport espionage politics humor comics cartoons funny offbeat ltcartoons,United States of America,Louisiana,LA,Donald Trump,0,-0.6\r\n1561,10/15/2020,shaunking so you are voting for a pedophile\xf0\x9f\xa4\x94says a lot\xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f and you are not voting for trump why\xf0\x9f\xa4\x94 trump set aside 250 million dollars for hbcus when obama only set aside 4 million and with biden in the whitehouse. 47 years in politics all against our people\xf0\x9f\x91\x88\xf0\x9f\x8f\xbe\xf0\x9f\xa4\xa1,United States of America,California,CA,Donald Trump,0,-0.9\r\n1562,10/15/2020,shit trump still president,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1563,10/15/2020,simplism from trump to aoc this is a mark of political thinking today. can we ever embrace complexity,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1564,10/15/2020,so chucktodd organized the trumptownhall on nbc  so dude is a trump supporter  firechucktodd,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1565,10/15/2020,so donaldtrump is babbling now and will do so again this evening at 8pm i think he needs a drug test prior to the town hall.,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1566,10/15/2020,so genuine to hear the howling wolves lindseygrahamsc sentedcruz senhawleypress complain about twitter and facebook taking down yellow nypost story of hunterbiden story handed over by trump operative. boo-hoo joriewilner pilarmarrero,United States of America,New York,NY,Donald Trump,1,0.2\r\n1567,10/15/2020,so relieved that the nypost uncovered news that every major news outlet missed. foxnews. bostonglobe. wsj. all got scooped realdonaldtrump donaldjtrumpjr bidens got rich no. trump got rich off sellingpresidency,United States of America,Massachusetts,MA,Donald Trump,1,0.2\r\n1568,10/15/2020,so sad. trump is irresponsible. he is superspreader in chief. walking talking national security risk. walking talking public health risk.,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1569,10/15/2020,so stevescully was chosen to be an impartial debate moderator for trump.  is there any doubt now that the majority of media is truly corrupt  how many lies,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n1570,10/15/2020,so the trump administration wants the us to get herd immunity.  the only country giving up.   hospitals will be collapsing and there is going to be untold suffering.  making america sick again.,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n1571,10/15/2020,sofka_juyne don\xe2\x80\x99t lose hope coz trump is gonna set america free again\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Hawaii,HI,Donald Trump,0,-0.1\r\n1572,10/15/2020,sonpntj politizach bonbee81 joebiden i volunteer for the gop my car has been vandalized  3 times i have had a hater let their little dog out to chew me up er and been constantly heckled you people are horrible. this was the worst \xf0\x9f\x91\x87\xf0\x9f\x8f\xbcamerica your country violentdems hatefuldems trumpmorethanever trump\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Nevada,NV,Donald Trump,0,-0.8\r\n1573,10/15/2020,sorry snl maddow ambermruffin sethmeyers hodakotb mikabrezinski there must be consequences to your employer for this horrible decision to reward donaldtrump for his bad behavior.  boycottnbc,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1574,10/15/2020,sort of like trump,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n1575,10/15/2020,sotexkenton i think that you are probably correct about the ratings. that's what is wrong w/us politics &amp; trump is worst of them all all bluster &amp; spin no substance,United States of America,Wisconsin,WI,Donald Trump,0,-0.5\r\n1576,10/15/2020,sruhle elistokols msnbc have we learned nothing. people are addicted to spectacle. wrong decision by nbcnews to do this stunt for trump. bad move. turning the channel. \xf0\x9f\x98\xa1,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1577,10/15/2020,stevescully debates cspan stevescully .     trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1578,10/15/2020,tedreednc nypost nypost_mets mikevacc i too read nypost as a kid as my parents both teachers hated the nytimes holier-than-thou anti-uft. anti-labor stance. unfortunately newspapers have returned to their roots as rich men\xe2\x80\x99s megaphones whether for trump murdoch nypost or amazon bezos washingtonpost .,United States of America,California,CA,Donald Trump,0,-0.5\r\n1579,10/15/2020,tedreednc nypost nypost_mets mikevacc nytimes amazon washingtonpost nypost clearly in the tank for trump.with bias spreading from editorial to news page as it always does. what was once called political incorrectness alert the chinese wall between editorial &amp; advertising was just a hallway from news to editorial.,United States of America,California,CA,Donald Trump,0,-0.6\r\n1580,10/15/2020,the cure is worse than the disease  by claytoncraddock  trump bidenharris2020 bidenharristosaveamerica cure disease lockdown shutdown newyorkcity newyork cuomo who worldhealthorganization thinkthingsthrough,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1581,10/15/2020,the fraud emanating from bannon and others is a remarkable blatant attempt to manipulate without consequences.  enough already with these anti-patriotic villains. trump trumpcrimefamily trumpisnotwell,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1582,10/15/2020,the only question i want to hear at the trumptownhall is why he tells everyone he\xe2\x80\x99s 6\xe2\x80\x993\xe2\x80\x9d and weighs 244 lbs when he\xe2\x80\x99s actually 6\xe2\x80\x991\xe2\x80\x9d and weighs 322 lbs. enough is enough with this snake oil salesman\xe2\x80\x99s bs. trump trump2020 trumpcrimefamily maga2020 maga trumpisaracist,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n1583,10/15/2020,the platinumplan has some good ideas in it but has a glaring problem area for believers in an end to race as a consteuct. trump2020 trump2020landslidevictory endblackracism bluelivesmatter alllivesmatter trump racismmustfall,United States of America,California,CA,Donald Trump,0,-0.2\r\n1584,10/15/2020,the republican party on the whole is quickly becoming the greatest threat to this nation obama trump is a 'symptom' of misinformation qanon is 'seeping' into gop  thursdaymorning thursdayvibes thursdaymood,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n1585,10/15/2020,the scriptures predicted a trump electoral college win. the mostly atheistic tech community is literally fulfilling prophecy.,United States of America,New York,NY,Donald Trump,2,0\r\n1586,10/15/2020,the takeaway do arab gulf states favor trump or biden in us election  via atparasiliti,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1587,10/15/2020,the whole trump family are disgusting self-serving overly privileged individuals who do not care about the citizens of this country which includes his non-educated base. votehimout vote,United States of America,California,CA,Donald Trump,0,-0.3\r\n1588,10/15/2020,thehill trump and his administration\xe2\x80\x99s attempt to strip healthcare has americans at \xe2\x80\x9cgunpoint\xe2\x80\x9d.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1589,10/15/2020,thehill vp what actually did you an impeached potus realdonaldtrump accomplished besides coronavirus cases= 8071346 covid19 deaths=220535- 63.6 million americans have filed for unemployment that's more voted for trump votersuppression chaos 21k lies- voteearly vote,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1590,10/15/2020,there's only one thing more despicable than a republican senator who's enabled trump's incompetence lies corruption sexist racism and treason for 4 years...and that's a republican senator who does so but feigns righteous indignation... bensasse bensasse sasse trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1591,10/15/2020,therealhoarse so let's all thank nbc and msnbc by not watching their programming until after the election.  if they want to prop up trump let's block them,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1592,10/15/2020,there\xe2\x80\x99s pressure on nbcnews to do hardball townhall w/ trump because of unfairness hosting it same time as biden\xe2\x80\x99s. but that\xe2\x80\x99s not fair either. trump gets endless hardball treatment from media whereas biden is never asked serious questions. we must know where biden stands,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1593,10/15/2020,these people that acosta is interviewing at another trump rally are the reason the usa is in the situation we're in with the coronavirus. they don't care if they die all of them should be in one location so they can infect each other not us. andersoncooper cnn,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1594,10/15/2020,this deranged sociopath shares with his iowa maga crowd how pissed off he is that the media focused on their weather farming &amp; economic crises instead of his fake-ass nobel nominations. they react in silent astonishment...    trump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1595,10/15/2020,this has to be a joke trump will win electionday election2020 economy is reason,United States of America,California,CA,Donald Trump,0,-0.8\r\n1596,10/15/2020,this is so random but i honestly wonder how the pillowcases at the whitehouse look. like what does he wash his face in at the end of the day what is the skincare regimen thursdaythoughts trump \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3,United States of America,Virginia,VA,Donald Trump,2,0\r\n1597,10/15/2020,this is the first time in four years i\xe2\x80\x99ve hears trump mention his son barron.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1598,10/15/2020,thr so basically it\xe2\x80\x99s a movie about trump supporters \xf0\x9f\x98\x82\xf0\x9f\xa6\xa0,United States of America,California,CA,Donald Trump,0,-0.3\r\n1599,10/15/2020,to fully heal &amp; face your darkness you have to except the fact that you\xe2\x80\x99re going to be attacked by others but this is just a good sign that you\xe2\x80\x99re on the right path look at how trump is attacked by everyone &amp; anyone...he\xe2\x80\x99s doing so many good things they\xe2\x80\x99re just jealous god,United States of America,Florida,FL,Donald Trump,1,0.6\r\n1600,10/15/2020,todays trump bs level,United States of America,Colorado,CO,Donald Trump,1,0.1\r\n1601,10/15/2020,todayshow savannahguthrie are you fucjing kidding me.. halliejackson saying it herself.. his last chance nbc nbcnews supplying trump his last chance with savannahguthrie ready to soft ball him.. this is sickening chrislhayes maddow rachel please quit nbc this can\xe2\x80\x99t happen,United States of America,New Mexico,NM,Donald Trump,0,-0.9\r\n1602,10/15/2020,totally under control documentary director on trump coronavirus response. totallyundercontrol,United States of America,Maryland,MD,Donald Trump,1,0.1\r\n1603,10/15/2020,tpm ....and apparently trump supporters are either good with this or they don't believe the report.  that's were we are.,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1604,10/15/2020,trump,United States of America,New York,NY,Donald Trump,2,0\r\n1605,10/15/2020,trump  twitter facebook 'out of control' -- 'like a third arm' of dnc,United States of America,Arizona,AZ,Donald Trump,0,-0.4\r\n1606,10/15/2020,trump abortion ap666,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1607,10/15/2020,trump attacks fauci calling him a 'democrat' and 'cuomo's friend' desperatte measures from the lunatic of the century.  via mailonline,United States of America,California,CA,Donald Trump,0,-0.2\r\n1608,10/15/2020,trump base is looking a lot like 2016... motivated &amp; hungry. let's see how many stay home bc of the wack ass democrats.,United States of America,California,CA,Donald Trump,0,-0.5\r\n1609,10/15/2020,trump biden less than 3 weeks away from know our nation's faith for the next 4 years everyone regardless if you are democrats republicans or independent shall vote to voice your thoughts tesla uber lyft gigolo,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n1610,10/15/2020,trump blames twitter and fb for his disaster axjus axjusa axjnews,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1611,10/15/2020,trump campaign wants omarosa to pay for nearly $1 million ad campaign report thehill $1million,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n1612,10/15/2020,trump covidparty how irresponsible to have these rallies during this pandemic. florida iowa wisconsin gop maga. superspreader superspreadertrump he doesn\xe2\x80\x99t care....and he certainly hasn\xe2\x80\x99t made america great votebluetoendthisnightmare,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1613,10/15/2020,trump cwba the question. who said a rapper was the one that need to represent us,United States of America,New York,NY,Donald Trump,2,0\r\n1614,10/15/2020,trump fouls everything he touches and he has touched america very inappropriately. trumpisanationaldisgrace votebiden,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n1615,10/15/2020,trump has these super spreader rallies just for entertainment he is the grand martial of comedy trumptaxreturns trump2020 maga2020 trumpisaclown jokes commanderinchiefcomedian covid19 chinavirus racisttrump,United States of America,New York,NY,Donald Trump,1,0.4\r\n1616,10/15/2020,trump is babbling about inventing space force. go teleprompter person scroll scroll like the wind i believe in you,United States of America,Oregon,OR,Donald Trump,0,-0.1\r\n1617,10/15/2020,trump is fucking horrible the reason he's asking suburban women to like him is because they hate him just like 70% of the entire us,United States of America,California,CA,Donald Trump,0,-0.8\r\n1618,10/15/2020,trump is imploding along with his casino.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1619,10/15/2020,trump is playing you for a fool,United States of America,New York,NY,Donald Trump,0,-0.9\r\n1620,10/15/2020,trump kisses dictators butts and asks white supremacy to stand by.,United States of America,California,CA,Donald Trump,0,-0.4\r\n1621,10/15/2020,trump loses ratings war   nbcblackout,United States of America,California,CA,Donald Trump,1,0.2\r\n1622,10/15/2020,trump maga,United States of America,Illinois,IL,Donald Trump,2,0\r\n1623,10/15/2020,trump maga donaldtrump usa republican america covid conservative politics coronavirus kag memes makeamericagreatagain trumptrain qanon wwg  keepamericagreat trumpmemes democrats democrat election blacklivesmatter trumpsupporters  news liberal biden2020,United States of America,California,CA,Donald Trump,0,-0.5\r\n1624,10/15/2020,trump maga donaldtrump usa republican america covid conservative politics coronavirus kag memes makeamericagreatagain trumptrain qanon wwg  keepamericagreat trumpmemes democrats democrat election blacklivesmatter trumpsupporters  news liberal biden2020,United States of America,California,CA,Donald Trump,0,-0.5\r\n1625,10/15/2020,trump maga donaldtrump usa republican america covid conservative politics coronavirus kag memes makeamericagreatagain trumptrain qanon wwg  keepamericagreat trumpmemes democrats democrat election blacklivesmatter trumpsupporters  news liberal biden2020,United States of America,California,CA,Donald Trump,0,-0.5\r\n1626,10/15/2020,trump never said don't wear a mask if no one's around you why would you wear a mask,United States of America,California,CA,Donald Trump,0,-0.7\r\n1627,10/15/2020,trump notmypresident,United States of America,California,CA,Donald Trump,2,0\r\n1628,10/15/2020,trump offered 1.8t crazynancy wants 2.2t make a deal  2,United States of America,California,CA,Donald Trump,0,-0.6\r\n1629,10/15/2020,trump promises \xe2\x80\x9cplatinumplan\xe2\x80\x9d for black americans,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1630,10/15/2020,trump pushing a new bailout deal unlikely before election but pushing for a new supremecourtconfirmation is more important. priorities are all wrong. losertrump trumpmustgo votetrumpout,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1631,10/15/2020,trump realdonaldtrump trumpisawomaninsasquatchdrag,United States of America,California,CA,Donald Trump,2,0\r\n1632,10/15/2020,trump realdonaldtrump trumplikestospread,United States of America,California,CA,Donald Trump,2,0\r\n1633,10/15/2020,trump releases ad highlighting hunter biden's business ties trump politicalparties politicalviews,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1634,10/15/2020,trump stimuluspackage,United States of America,California,CA,Donald Trump,2,0\r\n1635,10/15/2020,trump supporters are morally bankrupt,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1636,10/15/2020,trump to hold wisconsin rally 3 days after state opens covid-19 field hospital trumperyresistance trump,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1637,10/15/2020,trump tries to segue into talking about law enforcement but loses track halfway through the sentence and starts yelling about biden and court packing.,United States of America,Oregon,OR,Donald Trump,0,-0.6\r\n1638,10/15/2020,trump trumpcrimefamily,United States of America,California,CA,Donald Trump,2,0\r\n1639,10/15/2020,trump trumpislosing,United States of America,New York,NY,Donald Trump,2,0\r\n1640,10/15/2020,trump trumpnotfitforoffice resist biden2020 biden bidenharristosaveamerica,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n1641,10/15/2020,trump vows to strip big tech of their section230 protection due to their censorship of the nypost  articles showing biden corruption.,United States of America,Ohio,OH,Donald Trump,0,-0.7\r\n1642,10/15/2020,trump whattafcvkingliar realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n1643,10/15/2020,trump will die in jail.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1644,10/15/2020,trump's response to his national security advisor telling him that his personal lawyer is being used by russian intelligence that\xe2\x80\x99s rudy.\xe2\x80\x9d,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1645,10/15/2020,trump's son barron tested positive for covid-19 says melania trump.  trump demonstrates his psychoses by bringing covid19 to his wife son family staff employees + \xe2\x81\xa6gop\xe2\x81\xa9 voters with zero expression of remorse or responsibility  \xe2\x81\xa6ncgop,United States of America,North Carolina,NC,Donald Trump,0,-0.4\r\n1646,10/15/2020,trump.............judge sided with defendant fox news and against the plaintiff...judge said no expectation to believe anything on fox yes,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1647,10/15/2020,trump............justice thomas is a disgrace to african american people &amp; sen. ted cruz is a disgrace to cuban latino's pathetic humans,United States of America,New York,NY,Donald Trump,0,-0.9\r\n1648,10/15/2020,trump..........rupert murdoch on fone to trump telling him biden will win in a landslide from fox news stats depts.-stellar\xf0\x9f\x99\x83,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1649,10/15/2020,trump..........senator mike crapo republican senator from idaho.......with a name like that this senator i will tell you is full of **ap period.........good riddance senator,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1650,10/15/2020,trumpcrimefamily lol you clowns need to see what joe biden has done or hilary during their careers. even as of more recent the illegal spying against trumps campaign in 2016. you filthy socialists are desperate to take over america. donaldtrump americafirst.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1651,10/15/2020,trumpcrimefamily trumpcrimesyndicate gop gopcorruptionovercountry trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n1652,10/15/2020,trumpmartyrs why would you take a risk being unmasked in a non-distanced huge crowd covid19 is out there trump's proof. i've known friends of friends get it. one whose no other condition father died after an unmasked gathering. never seen any biden crowds like this though.,United States of America,California,CA,Donald Trump,0,-0.2\r\n1653,10/15/2020,trump\xe2\x80\x99s challenge tonight will be too try and figure out how to interrupt biden at biden\xe2\x80\x99s town hall. trump biden election2020,United States of America,California,CA,Donald Trump,0,-0.1\r\n1654,10/15/2020,trump\xe2\x80\x99s realdonaldtrump bogus campaign claims to put \xe2\x80\x9camerica first\xe2\x80\x9d but the only thing he *ever* puts first is himself and his self interest. we can do so much better than this morally ethically and financially bankrupt \xe2\x80\x9cpresident.\xe2\x80\x9d and we will.  vote,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n1655,10/15/2020,trump\xe2\x80\x99s robust effort to discredit the entire american electoral system will reach its climax soon and will be precisely what russia and our other enemies want as they seek to destroy us from within.,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1656,10/15/2020,trump\xe2\x80\x99s son barron tested positive for covid-19 reveals melania | desitimes barron coronavirus trump montysaiyed thedesitimes worldnews usanews foxnews melania,United States of America,Illinois,IL,Donald Trump,2,0\r\n1657,10/15/2020,trump\xe2\x80\x99s tweets on troop withdrawals unnerve pentagon - the new york times trump politicalviews politicalparties,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1658,10/15/2020,turn out trump aides gave wallstreet a heads up on how serious the virus was going to be so they could profit by \xe2\x80\x9cshorting everything\xe2\x80\x9d all the while assuring mainstreet that it was \xe2\x80\x9cvery much under control.\xe2\x80\x9d  how much more proof do we need  the whole gang should be lockedup,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1659,10/15/2020,twitter and facebook's action over joe biden article reignites bias claims - trump is lucky he never got expelled from \xe2\x81\xa6twitter\xe2\x81\xa9 for the slew of lies he posted including that he can\xe2\x80\x99t spread covid__19 and that he\xe2\x80\x99s immune.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1660,10/15/2020,twitter blocking article  via youtube twittercensorship donaldtrump donaldtrumpjr,United States of America,Kansas,KS,Donald Trump,0,-0.5\r\n1661,10/15/2020,twitter has overreached again and is actively engaging in election interference by censoring the 4th largest news publication the nypost. they never censored the false russia collusion reports against trump but freely/openly protect biden.,United States of America,Texas,TX,Donald Trump,2,0\r\n1662,10/15/2020,twitter locks trump campaign account over hunter biden post spokesman,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1663,10/15/2020,uh oh...i guess that didn't turn out as you would have liked trump,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1664,10/15/2020,unfortunately our senior senator joined in the personal enrichment train lead by the trump whitehouse.  senburr has hid ever since his selling ncvoters to add $\xe2\x80\x99s to his bank account ncgop senthomtillis ltgovdanforest danforestnc teamforestnc ncga ncpol ncpols,United States of America,North Carolina,NC,Donald Trump,0,-0.7\r\n1665,10/15/2020,us election trump and biden compete with separate q&amp;a events - bbc news government political trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1666,10/15/2020,via crooksandliars rachel maddow and sen. kamala harris share a laughing fit over mike pence's fly  | trump gop republicans,United States of America,New York,NY,Donald Trump,1,0.3\r\n1667,10/15/2020,via glennkesslerwp in context what biden aide ron klain said about the swine flu  | trumplies trump maga2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1668,10/15/2020,via markfiore nominating trump  | politics trump politicalcartoons,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1669,10/15/2020,via markos for the love of god please stop with the 'run like we're 10 points down' nonsense  | politics p2 trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1670,10/15/2020,via newcivilrights amy coney barrett puts reversal of marriage equality \xe2\x80\x98clearly within sight\xe2\x80\x99 says national organization for marriage  | civilrights lgbtq trump,United States of America,New York,NY,Donald Trump,2,0\r\n1671,10/15/2020,via newcivilrights watch biden announces he\xe2\x80\x99s raised a whopping and record-breaking $383 million in september  | civilrights lgbtq trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1672,10/15/2020,via rawstory 36-year doj vet resigns in protest over bill barr\xe2\x80\x99s \xe2\x80\x98slavish obedience\xe2\x80\x99 to trump  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1673,10/15/2020,via rawstory cnn host shreds \xe2\x80\x98propagandists\xe2\x80\x99 at fox news after their \xe2\x80\x98absurd predictions\xe2\x80\x99 about biden fall apart  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1674,10/15/2020,via rawstory desperate trump drops the act \xe2\x80\x98please like me\xe2\x80\x99\xc2\xa0  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1675,10/15/2020,via rawstory it\xe2\x80\x99s been one faceplant after another as trump and the gop try to recreate 2016\xe2\x80\x99s perfect storm  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1676,10/15/2020,via rawstory new us jobless claims rise sharply to 898000 last week  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1677,10/15/2020,via rawstory trump boasts amy coney barrett was \xe2\x80\x98toying\xe2\x80\x99 with \xe2\x80\x98evil\xe2\x80\x99 democrats  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1678,10/15/2020,via rawstory trump inadvertently exposes white house lie \xe2\x80\x98i\xe2\x80\x99m tested not every day but i\xe2\x80\x99m tested a lot\xe2\x80\x99  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1679,10/15/2020,vote red vote inperson vote trump realdonaldtrump \xf0\x9f\x8d\x91 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Georgia,GA,Donald Trump,2,0\r\n1680,10/15/2020,vote vote vote. get your family to vote your neighbors your friends your coworkers. make this a trump landslide. maga maga2020landslidevictory maga2020 donaldtrump presidentialelection trumppence2020 election2020 makeamericagreatagain blackvoicesfortrump vote,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1681,10/15/2020,vote votehimout2020 votebidenharris2020 donaldtrump,United States of America,Nevada,NV,Donald Trump,1,0.3\r\n1682,10/15/2020,votebluedownballot vote covid19 trump biden,United States of America,California,CA,Donald Trump,2,0\r\n1683,10/15/2020,want to let nbc and trump know how you feel don't watch. l will be watching abc tonight there's nothing new on the trumpshow. he's still mentallyill. he's still anti-democracy. he's still racist. he's still liarinchief grifterinchief,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1684,10/15/2020,washingtonpost and opportunity for trump to lie w/o any response. disgusting that .nbc wld give trumpunfit4potus this stage.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1685,10/15/2020,watch live president donald trump holds campaign rally in northcarolina,United States of America,New York,NY,Donald Trump,2,0\r\n1686,10/15/2020,watch wolfmanjoe2_0's broadcast the wolfman joe show day 20 supremecourt amyconeybarrett trumprally trump trump2020 biden election2020 usa nyc,United States of America,Florida,FL,Donald Trump,2,0\r\n1687,10/15/2020,watching the legacy media and big tech work in concert to push back and censor the hunterbiden joebiden ukrainegate story it makes you realize the fact trump has a shot at this election is such a testament to independent media.,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n1688,10/15/2020,well look at that. a chicken ridin\xe2\x80\x99 a cock...a doodle doo \xf0\x9f\x98\x8f yallspresident trump so efftrump vote thatpoorchicken votersuppression,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n1689,10/15/2020,well reported and written. expands beyond lighthizer to provide backdrop for trump trade policy.,United States of America,Florida,FL,Donald Trump,1,0.2\r\n1690,10/15/2020,what actual fetal stem cells can do the god cells a fetal stem cell journey       trump   stemcells abortion,United States of America,California,CA,Donald Trump,0,-0.3\r\n1691,10/15/2020,what did you do with the\xf0\x9f\x92\xb0 you stole from the trump childrenscancercharity erictrump want to discuss unethicalconduct my guess is you gave it laratrump so she wouldn\xe2\x80\x99t leave you. you\xe2\x80\x99ve already been proven wrong on hunterbiden. eriktrumpsukrainescandal trumpcrimefamily,United States of America,California,CA,Donald Trump,0,-0.4\r\n1692,10/15/2020,what does a biden or trump victory mean for financial services mackayshields global fixed income team analyzes key policy proposals and personnel appointments and the possibility of transformative financial sector legislation and re-regulation.,United States of America,New York,NY,Donald Trump,1,0.1\r\n1693,10/15/2020,what nbc needs to do is right at the start of tonight\xe2\x80\x99s trump townhall come up with some horrible technical issue and tell us to instead enjoy this encore presentation of the movie heidi. then we could forgive them. dumptrump nbcboycott nbctownhall,United States of America,Connecticut,CT,Donald Trump,0,-0.2\r\n1694,10/15/2020,which trump is going to snitch to save their own ass post election erictrumpsukrainescandal ivankatrump erictrump donaldjtrumpjr melaniatrump feel free to participate. vote,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n1695,10/15/2020,who is myraselby amyconeybarrett\xe2\x80\x99s circuit court seat \xe2\x80\x98stolen\xe2\x80\x99 from her \xe2\x80\x93 newsone trump,United States of America,California,CA,Donald Trump,0,-0.7\r\n1696,10/15/2020,why did flotus wait this long to disclose that her son tested covid positive barrontrump trump coronavirus,United States of America,Nevada,NV,Donald Trump,0,-0.6\r\n1697,10/15/2020,why maga trump love putin russia so much. they see sweden as socialism and russia as capitalism or is it their loveoffascism  biden,United States of America,California,CA,Donald Trump,0,-0.5\r\n1698,10/15/2020,worst person in the world by keith olbermann no. 6 trump admits he's lo...  via youtube  democracy demcast demcastca trumpisnotamerica trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n1699,10/15/2020,wow even republicans senators can no longer support trump. bensasse maga vote voteearly biden bidensunitingus,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1700,10/15/2020,wow i had hoped that at least one trump child had escaped the trumpnarcissism of self-involvement &amp; complete lack of empathy for all others but it seems that donaldtrump has infected tiffanytrump as well. so much for that gopconvention speech. byetiffany covid__19,United States of America,California,CA,Donald Trump,0,-0.3\r\n1701,10/15/2020,wow i just saw the dumbest trump supporters on cnn who just don't believe the coronavirus is deadly and feel if they die its god's will &amp; they won't live in fear. if only they worked in healthcare &amp; saw what i saw. covid19 trump2020 dumbies votehimout maga,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1702,10/15/2020,yes girl ddlovato \xf0\x9f\x99\x8c\xf0\x9f\x8f\xbc\xf0\x9f\x99\x8c\xf0\x9f\x8f\xbc demi demilovato commanderinchief trump votebluetoendthisnightmare,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1703,10/15/2020,yet another trump puppet enabler excuser parasite climatechange,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1704,10/15/2020,ynb nbcnews msnbc i have no idea who trump blackmailed at nbc but i\xe2\x80\x99m done w msnbc for a while. dear maddow please don\xe2\x80\x99t take it personally. i still enjoy your reporting just don\xe2\x80\x99t want to be a part of this ugliness by nbcnews,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1705,10/15/2020,yo trump still president,United States of America,Colorado,CO,Donald Trump,2,0\r\n1706,10/15/2020,you get a tie and you get a tie trump \xe2\x80\x98s rally iowa,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1707,10/15/2020,you know what fuck twitter facebook and google. stop sensoring my information. this democrat is now voting for donald j. trump. your country is not the country i want to live in. thank you for helping me make my decision.trump biden twitter facebook apple,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1708,10/15/2020,\xe2\x80\x9clong covid\xe2\x80\x9d is being delivered daily to gop voters at mask-less rallies hosted by the potus whitehouse representatives trump children and ncgop trumpist sycophants danforestnc senthomtillis virginiafoxx reptedbudd  ncpol ncleg,United States of America,North Carolina,NC,Donald Trump,0,-0.4\r\n1709,10/15/2020,\xe2\x80\x9cmillions of boxes of food given to needy families \xe2\x80\x94 w/letters signed by trump taking credit stuffed inside. an $8 billion program for drug-discount cards to seniors featuring trump branding \xe2\x80\x94 intended to arrive before the nov. 3 election. paid for w/taxpayer $$. losertrump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1710,10/15/2020,\xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 covid taskforce is working behind the scenes to undo trump\xe2\x80\x99s lies fauci birx god,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1711,10/15/2020,\xf0\x9f\x93\xa3 new podcast holy holy holy episode 32 on spreaker angel coal covid god holy jesus mount river seraphim trump wendywilliams,United States of America,Georgia,GA,Donald Trump,1,0.3\r\n1712,10/15/2020,\xf0\x9f\x93\xa3 new podcast live life driven - decide to win on spreaker 75hard andyfrisella biden blog driven election podcast trump winning,United States of America,California,CA,Donald Trump,1,0.2\r\n1713,10/15/2020,\xf0\x9f\x93\xb7 realdonaldtrump verzuz barackobama donaldtrump barackobama at atlanta georgia,United States of America,Georgia,GA,Donald Trump,2,0\r\n1714,10/15/2020,\xf0\x9f\x94\xb4 live podcast 15 october 2020 on spreaker 2020election biden blacklivesmatter trump,United States of America,New York,NY,Donald Trump,2,0\r\n1715,10/15/2020,\xf0\x9f\x98\xb3 trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1716,10/16/2020,trump rejects california disaster relief request,United States of America,Illinois,IL,Donald Trump,2,0\r\n1717,10/16/2020,$421 million \xe2\x80\x9ca small amount of money\xe2\x80\x9d trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1718,10/16/2020,'it's all fake' trump's manufacturing jobs promises ring hollow in midwest  trump maga2020 maga bidenharris2020,United States of America,California,CA,Donald Trump,0,-0.8\r\n1719,10/16/2020,'not only lies they were dangerous lies' maddow lists trump covidlies at townhall  via msnbc news trumplies trumptrainwreck trumpcovid19 covid\xe3\x83\xbc19 covid__19,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1720,10/16/2020,name,United States of America,Oregon,OR,Donald Trump,1,0.1\r\n1721,10/16/2020,...you mean his little wee willy\xf0\x9f\x8d\x84 askstormy trumpweelilwilly trumpsteppedonhisweewee trump realdonaldtrump,United States of America,California,CA,Donald Trump,0,-0.4\r\n1722,10/16/2020,.savannahguthrie is my hero. i wouldn\xe2\x80\x99t be able to suffer 60 minutes on stage getting non-answers from trump. townhall,United States of America,Washington,WA,Donald Trump,1,0.1\r\n1723,10/16/2020,.savannahguthrie is...the...fucking...best... trump trumptownhall,United States of America,New York,NY,Donald Trump,1,0.5\r\n1724,10/16/2020,.savannahguthrie was positively brilliant last night. and there was nothing trump could do about it except sit there with his tiny sweaty hands and deal with the fact that she called out every one of his lies. thank you savannah.,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n1725,10/16/2020,18 days until the election and we can begin to end our national trump nightmare. 98 days until the inauguration and we can evict the trumpcrimefamily from the white house,United States of America,Illinois,IL,Donald Trump,2,0\r\n1726,10/16/2020,2/ at what point do you realize &amp; accept djt is the loser after 4 years it\xe2\x80\x99s time to realize it\xe2\x80\x99s not everyone else it\xe2\x80\x99s him. vote donaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n1727,10/16/2020,40 fitness music remix 18  via youtube trump photooftheday photo wwenxt wweraw,United States of America,New York,NY,Donald Trump,1,0.1\r\n1728,10/16/2020,5 winners and 3 losers from the dueling realdonaldtrump trump-joebiden biden townhalls  voxdotcom  donews,United States of America,New York,NY,Donald Trump,2,0\r\n1729,10/16/2020,a donald trump loss is like a run on a bank - years in the making over in a day. maga2020 trump,United States of America,Arizona,AZ,Donald Trump,0,-0.2\r\n1730,10/16/2020,a regulatory rush by federal agencies to secure trump\xe2\x80\x99s legacy  regulation trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n1731,10/16/2020,a second term trump administration could suddenly withdraw all remaining forces from iraq and syria and,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1732,10/16/2020,abc outdraws nbc in thursday's dueling presidential town halls politics news tvnews election2020 townhalls trump bidentownhall bidenharris2020 \xe2\x81\xa6abc\xe2\x81\xa9 \xe2\x81\xa6nbcnews\xe2\x81\xa9,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1733,10/16/2020,absolutely atrocious. this is what people who vote for trump support. deplorable indeed.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1734,10/16/2020,according to trump $421 million he owes to \xe2\x80\x9csomeone\xe2\x80\x9d who he refuses to reveal is a very small amount of money. \xf0\x9f\xa4\xaf bidentownhall trumpisnotwell trumpisanationaldisgrace trumpcovid19 trumplies bidenwillcrushcovid trumpcrimefamily,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n1735,10/16/2020,after watching the bidentownhall &amp; switching switching to realdonaldtrump is incredibly stressful joebiden is all calm &amp; now i am scared trump is on crack \xf0\x9f\xa5\xb4 jesus the man needs to calm down voteearly voteblue sorry for using you davechappelle,United States of America,California,CA,Donald Trump,0,-0.5\r\n1736,10/16/2020,all the things we're not supposed to say before the election  biden trump,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n1737,10/16/2020,american companies will stand to benefit from low tax policies in 2021. it doesn't matter who wins for next year. republicans democrats congress business corporate taxes policychange legal laws supremecourt scotus judges taxrate trump biden,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n1738,10/16/2020,amy_siskind bensasse mitt romney and ben sasse are cut from the same cloth. they find their courage behind closed doors to oppose trump but in the open they get in line kiss trump\xe2\x80\x99s ass and praise him. if they really wanted to oppose trump they would vote against acb but that would require courage,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n1739,10/16/2020,amy_siskind trump said unemployment is at 7% it's actually 20% and savannahguthrie let him know but he kept talking over her trying to convince her he is right seldomrightandwrongagain trumptownhall liesafterlies,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1740,10/16/2020,analysis savannahguthrie \xe2\x80\x98s questions at nbctownhall  exposed trump \xe2\x80\x98s warped information diet - cnn trumpisalaughingstock trumpmeltdown trumplied200kdied,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n1741,10/16/2020,and trump town  hall is  like silence of the lambs,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1742,10/16/2020,and why is this a trump win  this is all the media us talking about  shame on nbc savannah guthrie grilled trump like few others have taking the heat off nbc for its town hall,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1743,10/16/2020,and yet he is doing none of that. he wants to gut social security and medicare and doesn\xe2\x80\x99t give a shit about those vulnerable to covid. trumplied200kamericansdied trumplieseverytimehespeaks trump trumptaxfraud,United States of America,California,CA,Donald Trump,0,-0.4\r\n1744,10/16/2020,andrewfortrump kimpkag2020 she could leave now ... no one that said they would leave  left last time so trying to influence us with your lie is wrong  trump will win in a landslide you are  un-american leave now &amp; save america for american's  save your lies for the devil,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1745,10/16/2020,angrierwhstaff if the media n press would have given trump n his family the same amount of attention they are giving a fake nytimes story about hunterbiden trump would have never been elected trumptownhall townhalls breaking justsaying,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1746,10/16/2020,annietdoan their both working with trump  don\xe2\x80\x99t vote for ye \xf0\x9f\x91\x8e\xf0\x9f\x91\x8e\xf0\x9f\x91\x8e,United States of America,California,CA,Donald Trump,0,-0.7\r\n1747,10/16/2020,apparently president trump is in ocala today closest to me than ever and i'm not there i'm so jealous gainesville florida gogators maga2020 trump,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1748,10/16/2020,aprildryan realdonaldtrump savannahguthrie joebiden want to see trump lose it put him in front of a woman asking the questions..,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1749,10/16/2020,archie bunker. as soon as i saw this trending i knew it had to have something to do with donaldtrump because he is basically the archie bunker of presidents given that most of our presidents were pretty racist that is really saying something. fridaythoughts fridayfeeling,United States of America,New York,NY,Donald Trump,1,0.3\r\n1750,10/16/2020,are you kidding me with this  qanon garbage i mean really in this day and age people are so stupid as to believe any of that bs are we back in the late 1600s with the salem witch trials they can\xe2\x80\x99t be that ignorant and trump says they seem to like him. \xf0\x9f\x98\xb3  duh...,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n1751,10/16/2020,arifleischer ari joebiden is answering every q completely in great detail &amp;answering follow up q\xe2\x80\x99s; there is no need to interrupt donaldtrump is interrupting savannahguthrie and the audience so he doesn\xe2\x80\x99t have to answer their q\xe2\x80\x99s like he always does. you know this. joebidentownhall,United States of America,California,CA,Donald Trump,1,0.2\r\n1752,10/16/2020,arifleischer arifleischer well of course dumbass you have to interrogate liars like trump and you still don't get the truth,United States of America,New York,NY,Donald Trump,0,-0.9\r\n1753,10/16/2020,armeniastrong artsakhstrong donaldtrump donate stopazzeriaggression sanctionturkey sanctionerdogan peaceforarmenians stoperdogan lockdown openyoureyes poto sosarmenia covid__19 recognizeartsakh voteready endsars,United States of America,California,CA,Donald Trump,1,0.1\r\n1754,10/16/2020,artemis888infin ericgarland and afterwards trump will brag that he had the highest ratings the world has ever seen...,United States of America,California,CA,Donald Trump,0,-0.1\r\n1755,10/16/2020,as one of the few who watched the trumptownhall i am happy to report that president trump added exactly zero new voters. enjoy your evening with biden fam trump,United States of America,California,CA,Donald Trump,1,0.1\r\n1756,10/16/2020,at this point i think all undecided voters are really trump voters that don't wanna admit they are voting for him. 2020election bidentownhall trumptownhall,United States of America,Indiana,IN,Donald Trump,0,-0.2\r\n1757,10/16/2020,atencion \xe2\x80\x9cel fiscal federal adjunto deja el departamento de justicia despu\xc3\xa9s de 36 a\xc3\xb1os debido a la 'obediencia servil de billbarr fiscal general el perro faldero a la voluntad de trump'\xe2\x80\x9d,United States of America,New York,NY,Donald Trump,1,0.3\r\n1758,10/16/2020,audience member asks why trump didn't do more than the china travel ban knowing what he told bob woodward he knew about covid ... his answer seems to be an expansive explanation of how and when he banned china,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1759,10/16/2020,autumnf67733605 politico are you talking about science and the expertise of highly trained medical/scientific professionals or trump's purposeful disinformation that has fueled the the worst global response to a pandemic that's killed 216000 americans,United States of America,Oregon,OR,Donald Trump,0,-0.8\r\n1760,10/16/2020,avance g24-ultimas-noticias trump-hunter-biden-twiter  v\xc3\xada youtube,United States of America,Florida,FL,Donald Trump,1,0.4\r\n1761,10/16/2020,axios if the media n press would have given trump n his family the same amount of attention they are giving a fake nytimes story about hunterbiden trump would have never been elected trumptownhall townhalls breaking justsaying,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1762,10/16/2020,baron trump is only 14 yet he\xe2\x80\x99s already had corona light \xf0\x9f\xa6\xa0 trumptownhall trump coronavirus barontrump melaniatrump trumpcovid19 trumpvirus covid__19 trump2020 biden pence whitehousevirus gop democrats republicans vote,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1763,10/16/2020,bcappelbaum even those who prefer a gop president are you out of your mind you can\xe2\x80\x99t look past personality problems &amp; have such little faith in our system of checks &amp; balances that your answer is vote in old corn pop 4-8 years of that set us back way more than 4 years of trump.,United States of America,Nebraska,NE,Donald Trump,0,-0.8\r\n1764,10/16/2020,ben sasseon unhinged truth about trump  via youtube,United States of America,Massachusetts,MA,Donald Trump,1,0.3\r\n1765,10/16/2020,bensasse just finished listening to your questions and answers with your constituents and as a conservative i feel exactly how you do about trump a lot of us do perhaps we are the silent majority but i can\xe2\x80\x99t support a narcissist like him and i\xe2\x80\x99d rather support biden. keep it up,United States of America,Texas,TX,Donald Trump,1,0.4\r\n1766,10/16/2020,bensasse whether you like trump or not never vote democrat.....support your party,United States of America,Nebraska,NE,Donald Trump,0,-0.6\r\n1767,10/16/2020,bethlynch2020 nowitsourturn1 trump has set the bar so low that this goofy statement from joebiden doesn\xe2\x80\x99t even seem crazy which it is as there are less lethal ways to \xe2\x80\x9cdeescalate\xe2\x80\x9d in light of things like drinking bleach may cure covid there are fine people on both sides johnmccain was not a hero etc,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1768,10/16/2020,biden beats trump in head-to-head town hall ratings.  via thedailybeast,United States of America,Maryland,MD,Donald Trump,1,0.4\r\n1769,10/16/2020,biden crushes trump in townhallratings on nbc and abc  christoaivalis presidentialtownhalls,United States of America,Illinois,IL,Donald Trump,2,0\r\n1770,10/16/2020,biden had a huge victory over trump in the ratings for last night's town hall. huge win in key demo 18-49. trumploser,United States of America,California,CA,Donald Trump,1,0.5\r\n1771,10/16/2020,biden hunterbiden letters retweet election maga trump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1772,10/16/2020,billhemmer donaldtrump,United States of America,Minnesota,MN,Donald Trump,1,0.3\r\n1773,10/16/2020,billkristol if trump was on fire and mrrogers stubbed his toe i\xe2\x80\x99d grab the fire extinguisher and use it to reduce mr. roger\xe2\x80\x99s swelling.,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n1774,10/16/2020,billoreilly if trump can't handle a few questions from a journalist how is he going to handle negotiations with dictators and other challenges please stop with the poor little baby everyone is so mean to trump crap.,United States of America,California,CA,Donald Trump,0,-0.9\r\n1775,10/16/2020,billoreilly trump should have just joined the virtual debate like a big boy. how bratty can you guys be this was trump\xe2\x80\x99s idea and he still got what he wanted. now you\xe2\x80\x99re complaining about it,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1776,10/16/2020,billy jean and now...is that....it is piano man made the list that's new. hey billyjoel you cool with your stuff being played at a trump rally,United States of America,Oregon,OR,Donald Trump,1,0.5\r\n1777,10/16/2020,billycorben if trump really gaf about the cuban vote in florida he would have freed eduardo arocena who cubans have been trying to free for decades. he was prosecuted by rudy giuliani and pardons were rejected by bush jr. and obama. trump doesn't gaf about his cuban supporters.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1778,10/16/2020,birds of a feather.... giuliani trump,United States of America,New York,NY,Donald Trump,2,0\r\n1779,10/16/2020,bnodesk florian_krammer but he\xe2\x80\x98ll still vote for trump right,United States of America,California,CA,Donald Trump,2,0\r\n1780,10/16/2020,bobcesca_go attacking tomhanks will not help trump.,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n1781,10/16/2020,boone police search for trump sign stealing suspect. details  wccb crime localcrime nccrime larceny theft trump ncnews boone police,United States of America,North Carolina,NC,Donald Trump,0,-0.4\r\n1782,10/16/2020,born to run away bruce springsteen promises to flee to australia if donald trump wins trump politics government,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1783,10/16/2020,both trump and nbc nbc are dumpster fires inside train wrecks to quote anderson cooper on the last debate. boycottnbc boycottmsnbc cesarconde_ needs to be fired he sold nbc out with this ratings grab.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1784,10/16/2020,boycottturkey stoperdogan recognizeartsakh trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n1785,10/16/2020,bradmantv realdonaldtrump joebiden trump was on 3 networks &amp; still couldn\xe2\x80\x99t beat bidentownhall ratings . also joebiden had more than double viewers on youtube and he beat donthecon in similar numbers on smart tv data too those darn facts proving a trumptard wrong once again,United States of America,Minnesota,MN,Donald Trump,0,-0.4\r\n1786,10/16/2020,breaking trump proves again that one needs an actual sense of humor to comprehend satire,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1787,10/16/2020,brhodes oh for the days when trumpism was hidden from site in the cloak room &amp; republicans could quietly destroy our country keeping it safe for kochnetwork oligarch donors of course they are writing in names from the beginning of the end you can draw a line from reaganomics to trump,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1788,10/16/2020,brycetache other than the trump covid wave.,United States of America,Arizona,AZ,Donald Trump,0,-0.1\r\n1789,10/16/2020,business at least robert smith is admitting billionaire donald trump paid $750 in taxes he also cheated but he is not admitting. trump trumptaxreturns realdonaldtrump teamtrump,United States of America,California,CA,Donald Trump,0,-0.3\r\n1790,10/16/2020,but according to trump there is no climate change.....idiotinchief,United States of America,Utah,UT,Donald Trump,0,-0.4\r\n1791,10/16/2020,but trump is someone\xe2\x80\x99s \xe2\x80\x9ccrazy uncle\xe2\x80\x9d sitting up rt ing away townhalls trumptownhall marytrump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1792,10/16/2020,by equating bidentownhall with mr rogers neighborhood trump adviser implies that biden\xe2\x80\x99s basic decency integrity empathy &amp; respect for all are.... childish. great summary of the trump pov... bidencares votethemallout \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99,United States of America,California,CA,Donald Trump,2,0\r\n1793,10/16/2020,can anyone tell me trump healthcare plan,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1794,10/16/2020,can someone riddle me how trump can wants  to repeal roevswade  i would assume he\xe2\x80\x99s kept a few clinics in business thru-out the years  since stormy confirmed he doesn\xe2\x80\x99t like to wear condoms. dumptrump2020 trumpcrimefamily trumpisamassmurderer trumpisaserialkiller,United States of America,California,CA,Donald Trump,0,-0.2\r\n1795,10/16/2020,carlbernstein savannahguthrie she no doubt came in with a game plan after seeing trump walk all over chris wallace. i watched joebiden and he was brilliant in the town hall. rather like two people sitting at a kitchen table drinking coffee and conversing about issues that truly matter votebidenharris2020,United States of America,Idaho,ID,Donald Trump,1,0.2\r\n1796,10/16/2020,castle biosciences presents data on decisiondx-melanoma at the virtual european association of dermato-oncology eado congress politicalparties trump political,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1797,10/16/2020,cbsnews only color trump is concerned about is green. that means prosperity for everyone many blacks are starting to realize that.,United States of America,New York,NY,Donald Trump,2,0\r\n1798,10/16/2020,check out it\xe2\x80\x99s just me jaz's video tiktok this idiot is our  no your leader republicans love him  how sad trump the idiot,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1799,10/16/2020,check out meena harris's video tiktok the fly starring mikepence as superfly  about a man who plays a fool to another man named trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1800,10/16/2020,check out variety's video tiktok join the club lol  a lot of people hate trump the motherfucker \xf0\x9f\x91\x8d\xf0\x9f\x98\xb7\xf0\x9f\x98\xb7\xf0\x9f\x98\xb7 wear a mask trump  you infected your own son  could he get much lower than that,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1801,10/16/2020,chris christie spent 7 days in icu and almost died from covid yet realdonaldtrump is still having super spreader rallies.  both record medical treatments not available to the public more importantly. covid trump trumpvirus coronavirus,United States of America,Arizona,AZ,Donald Trump,0,-0.3\r\n1802,10/16/2020,chriscuomocnn why are we not talking about the tragedies of trump's lieswe are quick to judge trump's wordsbut no one talks about the consequences.donaldtrump owes 40-millionbut according to trump he is so rich it doesn't matter.thats not telling lies that's tragic sorriness,United States of America,Indiana,IN,Donald Trump,0,-0.8\r\n1803,10/16/2020,chrismurphyct this was the best that the russians could cook up emails and gas companies set the snooze alarm. that's some pretty b-list conspiracy shit. maybe they've given up on trump too. giuliani trump putinspuppet trumptownhall,United States of America,California,CA,Donald Trump,0,-0.2\r\n1804,10/16/2020,christylemon trumpwarroom so you will loose it 525.20 a year with bidentaxreforn . i bet you would pick the sharp stick in the eye over admitting anything trump   do you know the old saying it\xe2\x80\x99s better than a sharp stick in the eye  ..,United States of America,California,CA,Donald Trump,0,-0.6\r\n1805,10/16/2020,clarajeffery now be fair. donaldtrump isn't realistically looking at a second term so any plans he has are like talking about what you'll do if you win the lottery.,United States of America,Minnesota,MN,Donald Trump,0,-0.6\r\n1806,10/16/2020,classic sleazy projection from the head of the trump organized crime family.,United States of America,Hawaii,HI,Donald Trump,0,-0.3\r\n1807,10/16/2020,cnbc better framed as \xe2\x80\x9cwhere do trump and biden stand on the future of the united states\xe2\x80\x9d because having the most well educated americans weighted down with debt discouraging promising students from pursuing college due to their example american society will suffer as a result.,United States of America,California,CA,Donald Trump,0,-0.5\r\n1808,10/16/2020,cnnbrk the president definitely puts america first trumpisnotamerica americafirst donaldtrump realdonaldtrump  trumpisaloser trumpliedpeopledied,United States of America,District of Columbia,DC,Donald Trump,1,0.5\r\n1809,10/16/2020,consider the dozens if not hundreds of invaluable career diplomatic and security professionals that have been sacrificed to further realdonaldtrump's corruption. gop administration cronies have aided trump in the degradation of our agencies and individual reputations.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1810,10/16/2020,could someone please ask brittany from 90dayfiance who\xe2\x80\x99s sitting behind trump to stop nodding in agreement to everything he says only a robot could agree with everything the crazy grandpa says. trumptownhall tlc 90dayfiance,United States of America,California,CA,Donald Trump,0,-0.1\r\n1811,10/16/2020,covid-19 cases in us grow at a speed not seen since july the summer peak  trump asshole p2 usa covid covid19 gop republicans republicansagainsttrump republicansforbiden vote,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1812,10/16/2020,crazy how the office ages people isn't it in just four years trump has become a an entirely different meme... i mean person. i mean shitbag. gotit trump townhall,United States of America,Washington,WA,Donald Trump,0,-0.1\r\n1813,10/16/2020,danrather biden is fantastic tonight wow. i hear trump is a joke as usual no facts. no plans just being told his smile is nice by old women.,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1814,10/16/2020,danrather i watched abc &amp; joebiden. i have no interest in supporting nbcnews or giving \xe2\x80\x9cair\xe2\x80\x9d to realdonaldtrump. this morning i\xe2\x80\x99m hearing trump \xe2\x80\x98s evening was filled with lies many dangerous &amp; the spread of vile &amp; dangerous conspiracy theories. joe was great bidenharris2020 \xf0\x9f\x92\x99\xf0\x9f\x8c\x8a,United States of America,California,CA,Donald Trump,0,-0.1\r\n1815,10/16/2020,danrather watched trump and his version of american horror story. recorded joebiden and i pray to god he wins,United States of America,New York,NY,Donald Trump,2,0\r\n1816,10/16/2020,day 1437 fuck trump,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n1817,10/16/2020,dbongino ohh she is a moderator  i was under the assumption she was debating trump.,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1818,10/16/2020,ddale8 i chant lock him up all the time about trump.,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1819,10/16/2020,dear evangelicals... this is your chosen one... trump roevwade,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1820,10/16/2020,dear govchristie since you are saying that you were wrong about the virus and mask-wearing then prove it. stand up against donaldtrump about it. tell him he was/is wrong. go on. do it.,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1821,10/16/2020,democracyinn just like trump\xe2\x80\x99s tax cut.,United States of America,Colorado,CO,Donald Trump,2,0\r\n1822,10/16/2020,democrat mayor refuses to resign after blasting trump voters,United States of America,California,CA,Donald Trump,0,-0.8\r\n1823,10/16/2020,democrats care for poor is a joke trump said willing to sign stimulusbill if rest can wait crazynancy won't allow the bill the pass elections2020,United States of America,California,CA,Donald Trump,0,-0.8\r\n1824,10/16/2020,did not watch but maga is mad savannahguthrie interrupted trump irony,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1825,10/16/2020,did the words honor and decency even come up in the trump town hall  joebiden will bring both back to the presidency,United States of America,Minnesota,MN,Donald Trump,0,-0.1\r\n1826,10/16/2020,did trump hire someone to sit behind him during his town hall and nod their head in agreement   if so why did nbc let him get away with that  why did they - yet again - enable trump   not impressive on the part of nbc.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1827,10/16/2020,diddy talks donaldtrump with charlemagnethagod hhucit,United States of America,Georgia,GA,Donald Trump,2,0\r\n1828,10/16/2020,diddy well you certainly didn't take the trump bribe.... thank you nothing donaldtrump promises black people have any substance -- because he has contempt for all people and black people in particular. he sees them as monkeys' paws -- pull his chestnuts out of the fire. that's it.,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1829,10/16/2020,dissension in the ranks gop trump,United States of America,Oregon,OR,Donald Trump,0,-0.1\r\n1830,10/16/2020,doc_0 this will be the second time in my life where i\xe2\x80\x99m voting for  a candidate i actually like. first time was ronaldregan now donaldtrump,United States of America,Pennsylvania,PA,Donald Trump,1,0.2\r\n1831,10/16/2020,don't be votin fo trump ya'll,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n1832,10/16/2020,don't vote for trump...bzzzz,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1833,10/16/2020,donald trump nbc news town hall a 'setup' government trump potus,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1834,10/16/2020,donald trump was strong in the town hall yesterday joe biden was a complete clown and looking everywhere but the people themselves the choice is obvious this november maga sleepyjoebiden trumppence2020 trump pence republicans democratshateamerica lawandorder,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1835,10/16/2020,donald trump's contempt for black women on full display in scathing new video trump,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1836,10/16/2020,donald trump\xe2\x80\x99s contempt for black women on full display in scathing new video trumperyresistance trump,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n1837,10/16/2020,donaldjtrumpjr i'm pretty sure you don't want people looking at the trump china relationship. ivanka will go to jail.,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n1838,10/16/2020,donaldtrump claims he no longer has covid but i think it's a bad sign that the secretservice has renamed his plane air force-19.,United States of America,California,CA,Donald Trump,0,-0.6\r\n1839,10/16/2020,donaldtrump has higher levels of support from pastors see below than 4 yrs ago. in 2016 40% of pastors were undecided midway through sept; 32% supported trump; 19% hillary clinton. 51% of protestant pastors identify as republicans; 16% as democrats.,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n1840,10/16/2020,donaldtrump hasn\xe2\x80\x99t tweeted since he cut the trumptownhall short &amp; ran away. i think even w/his huge ego &amp; mental delusions trump realized he was a trumptrainwreck. realdonaldtrump is probably yelling at his entire staff right now trumpmeltdown joebidentownhall,United States of America,California,CA,Donald Trump,0,-0.7\r\n1841,10/16/2020,donaldtrump sickened his wife his child and 30 members of his own staff through utter negligence and selfishness. what if his son had an undiagnosed condition and had died  would he take responsibility  please.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1842,10/16/2020,donaldtrump town hall noddingwoman is pro-trump activist mayrajoli,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n1843,10/16/2020,donlemon kamalaharris cnn mitch mcconnell &amp; the republicans have already packed the courts ..he would not bring up any of obama\xe2\x80\x99s nominees for a vote &amp; then filled all the seats when trump came in,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1844,10/16/2020,dukewindsor388 trump world,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1845,10/16/2020,dumbest comment of the night was from davidmuir who praised joe biden for putting a mask on as stayed on stage after the debate to speak to the audience - what's the point if he just spoke to them for an hour and a half with it off  townhall sleepyjoebiden trump,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1846,10/16/2020,eiggam5955 have you seen the men who attend a trumprally  there is no bar they weigh more than donaldtrump &amp; he checked in at walterreed at a morbidlyobese 322 lbsof coursethey could be in to overweight men who wear 2\xe2\x80\x9d lifts orange pancake &amp; combovers trumptownhall,United States of America,California,CA,Donald Trump,0,-0.5\r\n1847,10/16/2020,eileenbuckley thehill gop if gop is in front of their name they are enablers.  how the hell does not anyone get that.  he may not be voting for trump but he sure as fuck enables the ones that do all the way down the line.  how do people not get that about party hacks,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1848,10/16/2020,election beard. a lot like a playoff beard only no winner. election2020 trump biden podernfamily,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n1849,10/16/2020,election2020  townhall nbcnews\xe2\x80\x99 savannah guthrie calls out trump you're the president \xe2\x80\x94 you're not like someone's crazy uncle | businessinsider,United States of America,California,CA,Donald Trump,0,-0.7\r\n1850,10/16/2020,enjoy this bookbubble  via bublishme amreading christian church trump whitenationalism vote2020,United States of America,Arizona,AZ,Donald Trump,1,0.8\r\n1851,10/16/2020,erdo\xc4\x9fan's move will put further pressure on the trump administration to issue caatsa sanctions against turkey which the u.s. president has succeeded in blocking so far despite overwhelming bipartisan pressure from congress.,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1852,10/16/2020,essenviews by trying to omit the fica payroll tax thereby ensuring the socialsecurity funds will dry up within 2 years. that's the gop and trump plan.,United States of America,Hawaii,HI,Donald Trump,0,-0.1\r\n1853,10/16/2020,even life long republicans know that trump is the wrong choice. it\xe2\x80\x99s that easy. vote for someone who is capable of showing a little compassion votebidenharris2020 votebiden trump,United States of America,Michigan,MI,Donald Trump,0,-0.1\r\n1854,10/16/2020,even though they own 51 parks in the state. pathetic trump we need a president for everyone not a toddler. bidenharris2020,United States of America,California,CA,Donald Trump,0,-0.1\r\n1855,10/16/2020,every time trump says her name i want to throw up. rbg,United States of America,California,CA,Donald Trump,0,-0.2\r\n1856,10/16/2020,f icecube for defending trump the assh%hole -no longer a fan  votebidenharris2020,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1857,10/16/2020,fact  trump qanons,United States of America,California,CA,Donald Trump,0,-0.2\r\n1858,10/16/2020,factcheck trump falsely claims that 85% of people who wear masks get coronavirus liarinchief he is mentally ill and doesn't even realize what's real anymore  godhelpusall,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1859,10/16/2020,fcc will move to set rules clarifying key social media legal protections chairman twitter trump 1stamendment,United States of America,Illinois,IL,Donald Trump,2,0\r\n1860,10/16/2020,florida miami biden endorsement trump biden2020,United States of America,New York,NY,Donald Trump,1,0.1\r\n1861,10/16/2020,flotus like when the media focuses on you your husband or any other member of the trump family bebest,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1862,10/16/2020,flush the trump turd. vote on or before november 3rd.,United States of America,New York,NY,Donald Trump,2,0\r\n1863,10/16/2020,following the townhalls who are you voting for presidentialelection2020 donaldtrump trump2020 joebiden biden2020,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n1864,10/16/2020,for a man who does little more than watch the news he clearly has selective hearing. his lies are killing us...literally. trump coronavirus,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n1865,10/16/2020,fox bret baier calls out dubious sourcing of alleged hunter biden emails let\xe2\x80\x99s \xe2\x80\x98not sugarcoat it this whole thing is sketchy\xe2\x80\x99..trump..gop..elections..disinfo..,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1866,10/16/2020,friday morning and joebiden is still in the hall taking questions from undecided voters. they\xe2\x80\x99re finally into predications for phase 4 of the marvel cinematic universe. townhall trump,United States of America,Minnesota,MN,Donald Trump,2,0\r\n1867,10/16/2020,frieddddddddd vote biden trump,United States of America,California,CA,Donald Trump,2,0\r\n1868,10/16/2020,from my wife's facebook feed donaldtrump's tv ratings should be great since so many tuned in to laugh at trump. joebiden is giving coherent detailed answers. boring  more boring please.,United States of America,Minnesota,MN,Donald Trump,2,0\r\n1869,10/16/2020,from who trump finances,United States of America,New York,NY,Donald Trump,2,0\r\n1870,10/16/2020,fuggetaboutit4 mercedesschlapp joebiden abcpolitics absolutely. in reality those who bully and treat others in a cruel manner are exposing their weakness as human beings &amp; their total lack of moral character. trump maga,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1871,10/16/2020,funder suzee5335 eriktrumpsukrainescandal because the real criminals are in the wh now trump\xe2\x80\x99s crime family,United States of America,New Hampshire,NH,Donald Trump,0,-0.7\r\n1872,10/16/2020,funny how she kept interrupting trump and the other never interrupted biden. and of course binden talked about everything the people want to hear doesn\xe2\x80\x99t mean he will do it. i know trump will if he says he will or he will try hard to do so.  townhall,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n1873,10/16/2020,g_moralless if people to go trump they might see my tweet and then click on my profile,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1874,10/16/2020,gavinnewsom realdonaldtrump did u tell trump we still don\xe2\x80\x99t like him,United States of America,California,CA,Donald Trump,0,-0.8\r\n1875,10/16/2020,get my art printed on awesome products. support me at redbubble rbandme   findyourthing redbubble trumppence2020 trump maga uspresidentialelections2020 republicanparty potus trumptrain trumpsupporters kag wag trumptownhall trump backpack,United States of America,California,CA,Donald Trump,1,0.5\r\n1876,10/16/2020,get my art printed on awesome products. support me at redbubble rbandme   findyourthing redbubble trumppence2020 trump maga uspresidentialelections2020 republicanparty potus trumptrain trumpsupporters kag wag trumptownhall trump cottonbag,United States of America,California,CA,Donald Trump,1,0.5\r\n1877,10/16/2020,get my art printed on awesome products. support me at redbubble rbandme   findyourthing redbubble trumppence2020 trump maga uspresidentialelections2020 republicanparty potus trumptrain trumpsupporters kag wag trumptownhall trump floorpillow,United States of America,California,CA,Donald Trump,1,0.5\r\n1878,10/16/2020,giannocaldwell realdonaldtrump and the guy can\xe2\x80\x99t remember who he owns $400 million to  wow.  is that dementia or what  who is he beholden to for that  which foreign interests  donaldtrump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1879,10/16/2020,glad to see scaramucci on cnn telling it like it at trump whitehouse.,United States of America,California,CA,Donald Trump,1,0.7\r\n1880,10/16/2020,good for savannahguthrie for live fact checking trump\xe2\x80\x99s phony stats.,United States of America,District of Columbia,DC,Donald Trump,1,0.5\r\n1881,10/16/2020,gop realdonaldtrump conspiracy theories peddled with mock innocence by the president of the unitedstates has degraded our political discourse to a low point unimaginable before trump. qanon with its antisemitic trash &amp; it\xe2\x80\x99s deep state fantasies would ordinarily be beneath comment. where\xe2\x80\x99s gop,United States of America,California,CA,Donald Trump,0,-0.5\r\n1882,10/16/2020,gop realdonaldtrump trump is trying to overturn the aca with no back up plan in place... no votes for his plan.  this is all lies.  pretending that you aren't trying to overturn healthcare during a pandemic is funny because voters are smarter than that,United States of America,California,CA,Donald Trump,0,-0.8\r\n1883,10/16/2020,gopchairwoman nolejax65 in the wh pressers trump insults cajoles deflects and lies with impunity...he just couldn\xe2\x80\x99t do that tonight with voters asking questions. guthrie just held his feet to the fire he usually avoids.,United States of America,Minnesota,MN,Donald Trump,0,-0.3\r\n1884,10/16/2020,gopchairwoman trump got a bleeding heart lib in savannahguthrie while crookedjoebiden got a clinton fixer in gstephanopoulos they don\xe2\x80\x99t even hide how biased they are any longer corruption maga voteredtosaveamerica kag trump2020landslide liberalismisamentaldisorder read the nypost,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1885,10/16/2020,gosh. it is like dejavu all over again...trump joebiden,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n1886,10/16/2020,governorlittle it is wrong to deprive children of oxygen have u looked at behind the masks that are not being washed what about kids that wear glasses they can\xe2\x80\x99t see bc their glasses fog up. n the bus that won\xe2\x80\x99t roll up the windows to keep our kids warm biden trump,United States of America,Idaho,ID,Donald Trump,0,-0.3\r\n1887,10/16/2020,graeme wood he won\xe2\x80\x99t concede but he\xe2\x80\x99ll pack his bags - the atlantic trump,United States of America,California,CA,Donald Trump,1,0.1\r\n1888,10/16/2020,grahamallen_1 only thing that gave that \xe2\x80\x9ctown hall\xe2\x80\x9d any credibility was trump himself and the beautiful woman behind him that kept nodding when he spoke noddingwoman  trump,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1889,10/16/2020,greek american rock icon mrtommyland tommy lee says he\xe2\x80\x99ll move to greece if trump re-elected,United States of America,New York,NY,Donald Trump,1,0.1\r\n1890,10/16/2020,gstephanopoulos bidentownhall could have said trump has lied 20000 times how will you be more honest instead he says level with th epeople about court packing. what a clown.,United States of America,New York,NY,Donald Trump,0,-0.9\r\n1891,10/16/2020,gtconway3d trump jr retweeted a thebabylonbee parodyaccount tweet too trumpisalaughingstock votethemallout,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1892,10/16/2020,guliani and trump are as much russian assets as the infamous cambridge5 were for the uk in the 1950s.,United States of America,California,CA,Donald Trump,0,-0.1\r\n1893,10/16/2020,had to check morning news and once again nbc just talks about trump. axios guy on msnbc  \xe2\x80\x9cyou can get up and go to bathroom with biden and not miss anything. with trump you miss everything.\xe2\x80\x9d  really joebiden was thoughtful smart and informed and nbc thinks that\xe2\x80\x99s boring,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1894,10/16/2020,hahaha. i love this. trump,United States of America,Pennsylvania,PA,Donald Trump,1,0.4\r\n1895,10/16/2020,hahaha. nice restraint maddow. qanon trump,United States of America,Colorado,CO,Donald Trump,1,0.4\r\n1896,10/16/2020,harrisonjaime lindseygrahamsc lindsey will give us a beautiful health care plan if he wins the election. he's going to release his plan in 2-weeks; just like his boss trump did. pathetic.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1897,10/16/2020,he won't say that he pays more than $750 in taxes. that means the nytimes report is right. trump pays less taxes than you. votehimout2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1898,10/16/2020,heidinbc trump is a fraud and so are the senategop who want to take away aca obamacare without having a good substitute for all americans.,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1899,10/16/2020,herdimmunity might work very well for trump and the gop  it could free up money from socialsecurity since seniors are at the highest risk for dying from covid19.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1900,10/16/2020,here we go again i\xe2\x80\x99m having ptsd from 2016. stop it trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n1901,10/16/2020,hey media cnn cbs nbc abc get over the court packing stuff.  the gop has court packed for years    get over it . what you don\xe2\x80\x99t get. we don\xe2\x80\x99t care . he will handle it. he could have a dead body in his backyard and he is better than trump \xe2\x80\x94 get it,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1902,10/16/2020,hey nbc maybe you shouldn't give the man who promotes conspiracy theories free air time to promote more conspiracy theories on your network. this is so awful. ugh. trump trumptownhall,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1903,10/16/2020,hey nycmayor look who i found the best of the best heshytischlerny the one you made stay in jail for over 24 hrs you &amp; nygovcuomo are disgusting he did nothing deblasiomustgo nyc cuomo trump nypd,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1904,10/16/2020,heytammybruce let's be real someone actually told trump he was handsome in miami.. also i prefer people that answer truthfully and calmly,United States of America,California,CA,Donald Trump,1,0.1\r\n1905,10/16/2020,he\xe2\x80\x99s got no panache or likability but trump would make a good ricky roma in mamet\xe2\x80\x99s glengarry glenross. he can lie and lie and cheat and steal without batting an eyelash. trump glengarryglenross,United States of America,Iowa,IA,Donald Trump,0,-0.4\r\n1906,10/16/2020,hottake antifa michigan whitmer trump,United States of America,Georgia,GA,Donald Trump,2,0\r\n1907,10/16/2020,how dare you pushback on my non-answers savannahguthrie nbc trump townhall debate election2020 inkoctober inktober2020 sumiink micronpen,United States of America,California,CA,Donald Trump,0,-0.4\r\n1908,10/16/2020,how do i know the gop is easy to manipulate trump filled out a change of address form and convinced them he was fulfilling biblical prophecy. votebidenharris voteblue2020,United States of America,Texas,TX,Donald Trump,2,0\r\n1909,10/16/2020,how many of you retweet things w/o comment that you disagree with i'll bet not too many of you. donaldtrump townhall qanon,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n1910,10/16/2020,how reasonably intelligent thing they will be the exception - when trump is in a jam he will not throw them under the bus - continues to amaze - those tire tracks must hurt collins.,United States of America,New York,NY,Donald Trump,2,0\r\n1911,10/16/2020,hunterjcullen pattiusblue yup. this is not going well for trump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1912,10/16/2020,i  was just thinking about how trump has delusions of persecution; in fact he's the one who persecutes others.  it's all projection folks.,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1913,10/16/2020,i am so sorry govwhitmer and you of course are absolutely right. usa trump,United States of America,Connecticut,CT,Donald Trump,0,-0.2\r\n1914,10/16/2020,i applaud these brave individuals. they are willing to stand up to trump when the entire congress won\xe2\x80\x99t. wakeupamerica democracymatters barretthearing,United States of America,New York,NY,Donald Trump,1,0.5\r\n1915,10/16/2020,i cannot stand biden. he doesn\xe2\x80\x99t get interrupted by the moderator. \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f vote trump trumppence2020,United States of America,Ohio,OH,Donald Trump,2,0\r\n1916,10/16/2020,i can\xe2\x80\x99t believe trump didn\xe2\x80\x99t know he needed to have rt \xe2\x89\xa0 endorsement in his twitter bio.,United States of America,Nebraska,NE,Donald Trump,0,-0.6\r\n1917,10/16/2020,i can\xe2\x80\x99t stomach listening to joebiden talk all his lies about realdonaldtrump trump,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n1918,10/16/2020,i could honestly care less what the trump town hall sideshow ratings are we need sanity. not a crazy reality show. that's like saying the jersey shore gets better ratings than other shows on tv. people love a train wreck. trump bidentownhall,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1919,10/16/2020,i didn\xe2\x80\x99t want to do it. but i did it anyway. i looked at the town halls. {{{what a mess}}} they are so different. biden is a gentle caterpillar while trump is a rabid fox \xf0\x9f\xa5\xba townhalls trustyourinstinct  election2020 holdontight bumpyride,United States of America,New York,NY,Donald Trump,2,0\r\n1920,10/16/2020,i didn\xe2\x80\x99t watch. i hear savannahguthrie did well. i am glad. i am still disgusted that nbcnews pulled such a crappy move by collaborating with trump and scheduling against biden. hurt their entire news team. and the country. cesarconde_ nbctownhall,United States of America,California,CA,Donald Trump,2,0\r\n1921,10/16/2020,i don't know if nbcnews has an ombudsman but if they don't they need to get one. and if they do have one that person needs to have a serious discussion about this trump town hall. the network actively pushed disinformation and conspiracies tonight.,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1922,10/16/2020,i doubt there will be another presidentialdebate because joebiden is insisting that donaldtrump undergo a coronavirus test &amp; he's refusing to do that the more fool him because he needs a debate while biden is way ahead &amp; doesn't...,United States of America,New York,NY,Donald Trump,0,-0.9\r\n1923,10/16/2020,i feel like this isn't getting enough coverage. trump elections2020,United States of America,Indiana,IN,Donald Trump,0,-0.4\r\n1924,10/16/2020,i hated giving nbc the ratings but i am so happy to have watched savannahguthrie she is a true professional and is a champion for people everywhere screaming at the t.v. townhall f45 donaldtrump todayshow,United States of America,Minnesota,MN,Donald Trump,1,0.6\r\n1925,10/16/2020,i have a trumpsupporter coworker thats always talking as if we're not there about how trump is doing god's work so i decided to get some payback. i started talking to my friend about the fatal flaw in the gop that donaldtrump exposed. the flaw where they immediately assign,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1926,10/16/2020,i have to be honest like many i thought nbc's savannahguthrie was going to softball the trumptownhall. watching clips it's clear she didn't. i still think nbc shouldn't have aired it at the same time as biden's but it definitely ended up hurting trump.,United States of America,Nebraska,NE,Donald Trump,0,-0.5\r\n1927,10/16/2020,i hope \xe2\x81\xa6icecube\xe2\x81\xa9 the guy who wrote the song - arrest the president reads this. icecube trump,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n1928,10/16/2020,i love how foxnews blames everyone else but  trump for his own incompetence..,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1929,10/16/2020,i may have to change over to the trump event. biden is taking 10-15 minutes to answer every question. so boring...,United States of America,Arizona,AZ,Donald Trump,0,-0.5\r\n1930,10/16/2020,i read that donaldtrump wouldn\xe2\x80\x99t denounce qanon no surprise &amp; lying that he \xe2\x80\x98didn\xe2\x80\x99t know anything about them\xe2\x80\x99 &amp; then made the dumbest statement by any potus ever saying \xe2\x80\x98i hear they\xe2\x80\x99re against pedophilia and i agree with that.\xe2\x80\x99 we know the truth of course. trumptownhall,United States of America,California,CA,Donald Trump,0,-0.1\r\n1931,10/16/2020,i still don\xe2\x80\x99t know who to vote for trump or briancarrollasp   lesser evil  or good  even though good don\xe2\x80\x99t have a chance,United States of America,Nevada,NV,Donald Trump,0,-0.6\r\n1932,10/16/2020,i stopped watching joebiden town hall bc i got bored. i stopped watching realdonaldtrump town hall bc i cringed at all his lies and repetition. i did enjoy savannahguthrie calling trump out. townhalls,United States of America,California,CA,Donald Trump,0,-0.2\r\n1933,10/16/2020,i think things are going to get real bad for teamtrump. trump is going to try to burn down this nation by any means necessary. the only question is will he light that fire before the election like i think or after he loses in a landslide thoughts senatemajldr,United States of America,Idaho,ID,Donald Trump,0,-0.5\r\n1934,10/16/2020,i totally just gave up every show i watch on nbc nbcnews including nbcthisisus due to them catering to trump and allowing him to spew his lies nbcboycott goodbyenbc,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1935,10/16/2020,i vomited in my mouth when red glasses told realdonaldtrump he had a good smile. then he smiled \xf0\x9f\xa4\xae trump donalddump,United States of America,California,CA,Donald Trump,1,0.4\r\n1936,10/16/2020,i was going to do a thread about this but you\xe2\x80\x99ve covered it here. it has been ignored that trump has had five or six different viewpoints/opinions about what many americans see as the most important legislation to keep them afloat in their respective lifetimes. 1/2,United States of America,Indiana,IN,Donald Trump,0,-0.1\r\n1937,10/16/2020,i was going to take a poll of sorts to see who is votered vs voteblue after last night\xe2\x80\x99s th meetings with the condition that all replies remain positive. problem is i can\xe2\x80\x99t say one nice thing about trump. \xf0\x9f\x98\xac so i guess i\xe2\x80\x99ll make this a challenge  i\xe2\x80\x99ll start. bidenharris2020,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1938,10/16/2020,i would love to see the number of words comparison between biden and trump. hopefully a news outlet will do this. right nytimes &amp; the washingtonpost \xf0\x9f\x93\x9d,United States of America,California,CA,Donald Trump,1,0.1\r\n1939,10/16/2020,i'd love to see govrondesantis fired but a trump loss is the first priority.,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n1940,10/16/2020,i'm truly relishing hearing joebiden speak as a president and genuine leader with knowledge experience integrity and heart. and someone who does not question motives. he is everything trump is not. 19days. bidentownhall abcnews,United States of America,Pennsylvania,PA,Donald Trump,1,0.2\r\n1941,10/16/2020,i've watched a few clips of that trump-nbc infomercial last night and somebody needs to tell us who the headbobber was that was conveniently placed in the shot w/ trump. she was into all the lies and grift. her neck and head must be killing her this morning,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1942,10/16/2020,icecube attempting to justify his relationship with trump has just ruined all future viewings of friday and barbershop for me from here on out. i can never look at him the same disappointed nwatomaga,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1943,10/16/2020,icecube it is naive to think the trump campaign working with you is a demonstration of empathy for black americans. look at what he has said and done and despair. even the fascist angelicarosebrecker said trump hates blacks. yet in your infinite wisdom you believe he cares. sad.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1944,10/16/2020,icecube mr. trump - lie cheat &amp; steal,United States of America,California,CA,Donald Trump,0,-0.2\r\n1945,10/16/2020,icecube really fell for donaldtrump\xe2\x80\x99s \xe2\x80\x9c68 and i owe you one.\xe2\x80\x9d,United States of America,Georgia,GA,Donald Trump,1,0.4\r\n1946,10/16/2020,idiot trump always yapping and never really doing anything productive for this country. trumpisfullouthotair,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1947,10/16/2020,if a penis is the true \xe2\x80\x9cmeasure\xe2\x80\x9d - she\xe2\x80\x99s got trump beat hands down. stormydaniels already admitted that.,United States of America,California,CA,Donald Trump,0,-0.1\r\n1948,10/16/2020,if anyone is a superpredator it's trump. we already know he's a superspreader turd,United States of America,North Carolina,NC,Donald Trump,0,-0.3\r\n1949,10/16/2020,if the media n press would have given trump n his family the same amount of attention they are giving a fake nytimes story about hunterbiden trump would have never been elected trumptownhall townhalls breaking justsaying,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1950,10/16/2020,if trump does not tute his horn who will then for the fakenewsmedia it certainly does not. realdonaldtrump has done more for the usa than any other president in history. but like all mainstream media have told the people. fakenews is biden\xe2\x80\x99s private public relations firm.,United States of America,New York,NY,Donald Trump,2,0\r\n1951,10/16/2020,if trump had covid then i'm a ballerina anyone who has seen me dance will know how ludicrous that is.,United States of America,Arizona,AZ,Donald Trump,0,-0.7\r\n1952,10/16/2020,if trump thinks his performance at that town hall debacle last night helped his cause he is certifiable which is how he came off. townhalltrump,United States of America,California,CA,Donald Trump,0,-0.1\r\n1953,10/16/2020,if you are a footballfan and want fans in the stands and want sports normality voterepublican votetrump bringsportsbacktonormal sportsfan trump trumppence2020 sports crushcovid teamtrump usa republicans trump2020 keepamericagreat2020,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n1954,10/16/2020,if you're undecided and your maga2020 flag is fading from the harsh sunlight of donaldtrump failures the eloquent and spicy words of sensasse are a must read. senaterepublicans will indeed be called to answer why they supported realdonaldtrump,United States of America,New York,NY,Donald Trump,1,0.2\r\n1955,10/16/2020,imo donaldtrump stops just short of saying that he is putting amy coney barrett on scotus to gut roevswade.,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1956,10/16/2020,imwatchingjoe who will be our president soon. i could give two chits about the \xf0\x9f\xa6\x87\xf0\x9f\x92\xa9fvckery going on with trump on nbcnews,United States of America,Minnesota,MN,Donald Trump,0,-0.1\r\n1957,10/16/2020,in sharp contrast to trump angela merkel a scientist by training listens to the advice from the science community and does a little bit of math herself during a recent press conference. if only we had an adult in the room like that in the us.,United States of America,California,CA,Donald Trump,1,0.1\r\n1958,10/16/2020,indianamericans will think about kashmir before voting for biden &amp; democraticparty  trump stood by india on kashmir time to repay back debt via vote election2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n1959,10/16/2020,ingrahamangle but team trump is so desperate for distractions. the rest of us will just ignore it because hunterbiden isn\xe2\x80\x99t running for president so is irrelevant. votebluetosaveamerica votebidenharris2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n1960,10/16/2020,insurance pricing reflects climatechange even if trump denies it. how will florida vote,United States of America,Massachusetts,MA,Donald Trump,0,-0.3\r\n1961,10/16/2020,intelligence officials warned trump that giuliani was target of russian influence campaign report thehill,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1962,10/16/2020,interruptions stephanopoulos made to joebiden to those guthrie made to trump &amp; used this to point out how subversive media is to 45 &amp; how easy biden has it when the reality is that like  barrett in her hearings trump spewed bs gave nonsensical answers &amp; avoided qs \xe2\xac\x87\xef\xb8\x8f,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n1963,10/16/2020,ireps bostonglobe trump2020 to stop the hateful corrupt racist and antisemite democrats. trump now more then ever.,United States of America,Massachusetts,MA,Donald Trump,1,0.2\r\n1964,10/16/2020,irritatedwoman well maybe u should look for your girlfriends on a dating site when faced with the fuhrer bullying anybody he should get what he gives. non-stop interruptions and condescending comments.trumpcrimefamily trumpisanationaldisgrace trumpisarapist trump trumpisnotamerica biden,United States of America,California,CA,Donald Trump,0,-0.7\r\n1965,10/16/2020,is nbc proud of savannahguthrie for asking junky tabloid gotcha questions instead of using this town hall to discuss issues  shows you the disgusting sewer that is now nbc news. thank you comcast for turning it into that townhall trump maga fakenews,United States of America,New York,NY,Donald Trump,2,0\r\n1966,10/16/2020,is that omarosa nodding to everything trump is saying and clapping like he actually said something of value nodder trump debates2020 yourefired,United States of America,North Carolina,NC,Donald Trump,0,-0.2\r\n1967,10/16/2020,is that the blood of the over 220000 americans dead due to to trump terrible lack of leadership,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1968,10/16/2020,is trump saying he sent in a deathsquad are maga folks at all concerned about this clear example of government tyranny they claim to hate,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1969,10/16/2020,it dawned on donaldtrump\xe2\x80\x99s staff a few hours ago that the trumptownhall was a terrible idea as while they tried their best to stack the forum in his favor trump the 5 yr old argued w/ savannahguthrie &amp; the female audience turning off the suburbanwomen &amp; being a baby.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1970,10/16/2020,it has become obvious that speakerpelosi isn't interested in helping the american people with a stimulus package. she hates donaldtrump &amp; loves power so much that she will let people starve &amp; become homeless to get her way.,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1971,10/16/2020,it's 2020. millions of americans believe that an omnipotent omniscient being chose donald trump to be president. how is this a thing you mean to tell me that god chose trump over getting rid of childhood cancer or stopping genocide i don't get it. never will.,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1972,10/16/2020,itsmarlamaples tomilahren the trump last name will always be loved by racist kkk deplorable and conned people. trumphitler will always be the most hated by the people whom you love the most.  stick to the bottom of the barrel.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1973,10/16/2020,it\xe2\x80\x99s amazing the difference between the softball questions and treatment of crookedbiden compared to trump at the town halls. unreal.,United States of America,Idaho,ID,Donald Trump,1,0.6\r\n1974,10/16/2020,it\xe2\x80\x99s kinda ironic that the trump administration denied aid to california for the wildfires this year and the people most affected by the fires are farmers in central/northern california... majority of whom are trump supports.,United States of America,California,CA,Donald Trump,0,-0.4\r\n1975,10/16/2020,it\xe2\x80\x99s time for joebiden to interview with a moderator who will ask him real questions. pathetic biden trump fakenews abc nbc,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1976,10/16/2020,ivoted election2020 electionday donaldtrump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Donald Trump,1,0.3\r\n1977,10/16/2020,i\xe2\x80\x99m voting for the man who has morals. i\xe2\x80\x99m voting for the man who has empathy. i\xe2\x80\x99m voting for the man who has a conscience. i\xe2\x80\x99m voting for joebiden either you want a decent man in the whitehouse or the continued incompetent embarrassment that is trump countryoverparty vote,United States of America,California,CA,Donald Trump,0,-0.1\r\n1978,10/16/2020,i\xe2\x80\x99m watching joebiden not trump i already know what trump is going to say and none of it is worth listening to. votebidenharris2020 votebluetosaveamerica vote votebluetoendthisnightmare,United States of America,North Carolina,NC,Donald Trump,0,-0.2\r\n1979,10/16/2020,i\xe2\x80\x99ve been immersed in the liberal elite 1% last 7days.  they foam at the mouth re trump.  its wonderful &amp; hilarious2 watch/hear.............trump trump2020landslidevictory blacksfortrump latinosfortrump potus vp silentmajority blackvoicesfortrump,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n1980,10/16/2020,jaketapper more pathetic than anything else describes trump to a t.,United States of America,Massachusetts,MA,Donald Trump,0,-0.8\r\n1981,10/16/2020,jbarro i trust this guy whose name i don\xe2\x80\x99t know. scottatkins townhall trump,United States of America,Georgia,GA,Donald Trump,1,0.3\r\n1982,10/16/2020,jengranholm joebiden realdonaldtrump they say trump is beyond these boring subjects. according to christian evangelist trump has transcended to sainthood,United States of America,California,CA,Donald Trump,0,-0.4\r\n1983,10/16/2020,jesuschrist called trump after he said he's more famous than him and said...,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1984,10/16/2020,jilevin anyone would\xe2\x80\x99ve defeated trump that\xe2\x80\x99s why it was crucial for .dnc to get rid of berniesanders because he would\xe2\x80\x99ve been the next president of the united states.,United States of America,California,CA,Donald Trump,0,-0.4\r\n1985,10/16/2020,jimcarrey nbc abc trump forfeit his air time by refusing to do a virtual  debate,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1986,10/16/2020,jimpethokoukis how are trump and gop addressing the populists he has worked so hard to cultivate how are their lives being improved,United States of America,New York,NY,Donald Trump,1,0.8\r\n1987,10/16/2020,jk17030351 andrewcmccarthy benshapiro johnsonhildy sure - and trump isn't.  you think ivankatrump is qualified for all the top government position she gets  do you think she would get those if daddy wasn't potus  ok - that's corruption right in your face.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1988,10/16/2020,joe biden's town-hall appearance on abc  dis +0.1% averaged 13.9m viewers while a town-hall at the same time with president trump on nbc networks  $cmcsa +1.1% averaged a combined 13m viewers.,United States of America,California,CA,Donald Trump,0,-0.1\r\n1989,10/16/2020,joebiden knows what he is talking about. on the other hand trump just ravages. a huge contrast. presidentialdebate,United States of America,New Hampshire,NH,Donald Trump,1,0.3\r\n1990,10/16/2020,joebiden \xe2\x80\x99s hunting game of capitalism. misleading to the core and trying to create and exploit the class conflict the old methods of classless politics hunterbidensukrainescandal trump trump2020,United States of America,California,CA,Donald Trump,0,-0.5\r\n1991,10/16/2020,joebidentownhall abc needs to put that question up by that gentleman about how and what would he biden would do if he lost to trump. if you watched closely you can see the weight on his shoulders of answering that one question. he does not like to see an america divided.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1992,10/16/2020,joebidentownhall harris nancypelosi aoc scientology joebiden2020 joewillleadus so lets see if they want the help of a right wing christian donaldtrump supporting patriot to report violence  murder  of a lgbtq prostitute or will they ignore it like good little liberals,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1993,10/16/2020,joelockhart savannahguthrie nbcnews noahoppenheim is a chickenshit clown for allowing this and was used like a puppet for trump's lunatic fringe whereas his own damn employees slammed him publicly....great hire there nbc,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1994,10/16/2020,joshtpm cosmokatz69 very on-message for the trump campaign.,United States of America,Colorado,CO,Donald Trump,1,0.3\r\n1995,10/16/2020,just threw on the trump townhall and first thought is \xe2\x80\x9cwho forgot to put a wind screen on trump\xe2\x80\x99s lav\xe2\x80\x9d,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n1996,10/16/2020,justinwolfers damn. now trump is losing the nickname wars. trumpvirusdeathtoll215k,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1997,10/16/2020,larryhogan i see that the maryland gov. cast his ballot for ronaldreagan a dead racist. what a waste they're only two choices in this election joebiden and donaldtrump. if you don't like the incumbent vote for the challenger. it's that simple. dontwasteyourvote,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1998,10/16/2020,lawrence lackland50 realdonaldtrump joebiden thanks to lawrence for not focusing his show last night on the liarinchief trump he brought to light the drastic differences between the 2 candidates for president &amp; i applaud him for doing a spectacular job in doing so voteouteveryrepublican votebluedowntheballot,United States of America,Michigan,MI,Donald Trump,1,0.8\r\n1999,10/16/2020,let us not vacillate let us not underestimate the cruel role of china in the world.  trump trump2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n0,10/16/2020,lets set the record straight.  trump biden coronavirus covid19 cnntownhall,United States of America,Michigan,MI,Donald Trump,2,0\r\n1,10/16/2020,let\xe2\x80\x99s not forget realdonaldtrump was impeached less than a year ago. bidenharris2020landslide memototrump bidenwillcrushcovid joebidenkamalaharris2020 joewillleadus donaldtrump chickentrump makeamericagreatagain,United States of America,Michigan,MI,Donald Trump,2,0\r\n2,10/16/2020,lie lie lie lie. right now trump is trying to end daca and just lied about it on tv. silent scream. omg. he is a pathological liar.,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n3,10/16/2020,lindseygraham lets slip during the barrett hearings that he thinks trump is going to lose,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n4,10/16/2020,linjabjork paid to shake head yes or at least put front and center on national television  trump is so obvious sometimes...,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n5,10/16/2020,lisamarieboothe wait. didnt trump agree to this then 3 hours before calls it fake and berates savannahguthrie - and you want her to be \xe2\x80\x9cnice\xe2\x80\x9d and not factcheck trump lies \xf0\x9f\x99\x84\xf0\x9f\x99\x84,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n6,10/16/2020,lizzicochrane there's a lot of people who are going to have to write off these debts. trump will never pay from prison.,United States of America,Arizona,AZ,Donald Trump,0,-0.7\r\n7,10/16/2020,look how immature and vindictive realdonaldtrump can go. trumpisalaughingstock trumpisalaughingstock trump trump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n8,10/16/2020,look what i found poetry power &amp; pistols collectible  rarible ethereum erc721 collectible nft via rariblecom  eth btc xrp xlm cryptoart trump tupac,United States of America,Texas,TX,Donald Trump,2,0\r\n9,10/16/2020,love jaketapper he\xe2\x80\x99s 100% right. wtf trump cnn,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n10,10/16/2020,love that savannahguthrie is pushing trump on white supremacy and qanon. trump just refused to denounce qanon. he refuses to say anything bad about them. this is disgusting all trump says is he's glad they are against pedophilia. pathetic. pathetic trumptownhall,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n11,10/16/2020,make america great again thingstrumpsay trump iamtrump iwin america,United States of America,New York,NY,Donald Trump,2,0\r\n12,10/16/2020,malesenatepres spittinnickles boomersooner727 charliekirk11 joebiden it\xe2\x80\x99s not like trump and his supporters are the most credible people.,United States of America,Washington,WA,Donald Trump,1,0.3\r\n13,10/16/2020,mariabartiromo morningsmaria foxbusiness don't leave out the fact that trump is a liar. after four years of a raving lunatic who only cares about himself it's time for the leadership of someone we can trust and rely on. joebiden may be mr. rogers with all the right experience and skills to move our country forward.,United States of America,New York,NY,Donald Trump,2,0\r\n14,10/16/2020,markhughesfilms vijaya \xe2\x80\x9cunethical journalists\xe2\x80\x9d  you mean like the nytimes reporters who engaged in a federal crime when they reported on trump\xe2\x80\x99s tax returns yes  just want to make sure we are on the same page on \xe2\x80\x9cethics\xe2\x80\x9d.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n15,10/16/2020,maybe trump will have a convenient covid relapse before next week which he will once again miraculously conquer in his superman underoos,United States of America,Washington,WA,Donald Trump,1,0.1\r\n16,10/16/2020,maybe we have to admit that hillaryclinton was right.  all trump voters are deplorable.,United States of America,California,CA,Donald Trump,0,-0.4\r\n17,10/16/2020,mbcompanyman yes. sure. just like all the other phonies when any one of their limo liberal pals don\xe2\x80\x99t win. but he\xe2\x80\x99ll stay just like fat rosie alec baldwin. trump,United States of America,New York,NY,Donald Trump,2,0\r\n18,10/16/2020,md republican governor larry hogan casts his vote for ronald reagan in 2020 elections- hogan has clashed with trump over response to  coronavirus,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n19,10/16/2020,meanwhile trump is being peppered on nbcnews. he can\xe2\x80\x99t even ask a question without being interrupted.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n20,10/16/2020,meanwhile...trump being asked scotus and what he had previously said abt merrickgarland. now he's dragging in brettkavanaugh and how poorly he was treated.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n21,10/16/2020,megynkelly honest question how so i thought joebiden did a great job. trump was totally not prepared. he was a joke.,United States of America,Minnesota,MN,Donald Trump,2,0\r\n22,10/16/2020,megynkelly it was a disgrace. this wasn\xe2\x80\x99t a journalist. this was an anti-trump biden supporter. trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n23,10/16/2020,mercedesschlapp joebiden abcpolitics unlike the trump townhall where you're watching this guy.,United States of America,Texas,TX,Donald Trump,2,0\r\n24,10/16/2020,mericagoat ppollingnumbers newsnationnow anncoulter even anncoulter says that is bs. the country needs $$ to run. freedom isn't free. gaming the system is what trump does. and if the system allows a billionaire to pay $750 then that's corruption. he has 0 credibility to talk to me about patriotism. i contribute with pride buddy,United States of America,New York,NY,Donald Trump,0,-0.4\r\n25,10/16/2020,mericagoat ppollingnumbers newsnationnow anncoulter i'm sure i can also game the tax system.  many people can. and it was a giveaway when donaldtrump said he's negotiating with the irs.  you think you can negotiate with the irs his tax claim is also saying he makes $0 net profit. you ok with that for an economic leader,United States of America,New York,NY,Donald Trump,1,0.1\r\n26,10/16/2020,mericagoat ppollingnumbers newsnationnow anncoulter you miss the point.  i know the difference between legitimate tax incentives vs. gaming the system.  listen if trump wants to game the system and be a leach - that is his business. just don't lecture me on patriotism and making a contribution to our great country.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n27,10/16/2020,meta19712 donaldjtrumpjr trump lies so much because the truth makes him look bad.,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n28,10/16/2020,mikepompeo secretaryofstate donaldtrump donaldtrumpjr foxnews  there is already proof of syrian rebels fighting with azerbaijan against armenians threats by erdogan hospitals bombed inhumane treatment of hostages and the use of illegal weaponry. what are we waiting for,United States of America,California,CA,Donald Trump,0,-0.1\r\n29,10/16/2020,mittromney and yet you will vote for his completely unqualified extremist choice for scotus because stop being complicit one minute and acting tough on trump the next.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n30,10/16/2020,mjk_4mjk sruhle realdonaldtrump even though this article is 1yr old it still shows how much money trump was loaned - $2b he even sued them when balking on partial repayments which he does when he owes anyone money such as the majority of his contractors,United States of America,Michigan,MI,Donald Trump,0,-0.7\r\n31,10/16/2020,mkraju projection that\xe2\x80\x99s all trump knows. and he\xe2\x80\x99s unaware that it\xe2\x80\x99s very telling.,United States of America,Virginia,VA,Donald Trump,0,-0.4\r\n32,10/16/2020,more from the always two sides or more to every story dept ......facebook and twitter censorship will backfire and help trump's campaign | opinion,United States of America,California,CA,Donald Trump,0,-0.5\r\n33,10/16/2020,more proof of the trumpcrimefamily here as trump just abusing the office of the president once again.,United States of America,Tennessee,TN,Donald Trump,0,-0.7\r\n34,10/16/2020,mr. rogers trends after trump adviser compares biden to icon thehill,United States of America,Texas,TX,Donald Trump,2,0\r\n35,10/16/2020,msnbc nbcnews if the media n press would have given trump n his family the same amount of attention they are giving a fake nytimes story about hunterbiden trump would have never been elected trumptownhall townhalls breaking justsaying,United States of America,New York,NY,Donald Trump,0,-0.8\r\n36,10/16/2020,murray_nyc dantoujours this gave me a good laugh it was probably thought up by trump &amp; giuliani was the only one dumb enough to try &amp; pull it off give putin time &amp; he can be insanely creative. i won\xe2\x80\x99t rest until every vote is counted with no hacking by the big 3-russia\xf0\x9f\x87\xb7\xf0\x9f\x87\xba china\xf0\x9f\x87\xa8\xf0\x9f\x87\xb3&amp; iran\xf0\x9f\x87\xae\xf0\x9f\x87\xb7 votebiden,United States of America,Michigan,MI,Donald Trump,1,0.2\r\n37,10/16/2020,muting anyone showing clips from trump nbc circus .,United States of America,California,CA,Donald Trump,0,-0.4\r\n38,10/16/2020,nasty is his word of choice when women in power don\xe2\x80\x99t respond the way he wants. it\xe2\x80\x99s time for the crazy uncle to go. byedon2020 trump yourefired bidentownhall bidenharris2020,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n39,10/16/2020,national economic council director larry kudlow says it's looking less likely that a stimulus bill will pass before electionday but that doesn't mean it's impossible. trump mnuchin pelosi varneyco,United States of America,New York,NY,Donald Trump,0,-0.1\r\n40,10/16/2020,nbcboycott  watching biden2020 on abc instead of frying my brain listening to just lies by trump,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n41,10/16/2020,nbcnews abcnews trump trump2020 debates2020,United States of America,Kentucky,KY,Donald Trump,1,0.1\r\n42,10/16/2020,nbcnews did you let trump invite certain black people that he\xe2\x80\x99s paid to sit behind him and nod their heads,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n43,10/16/2020,nbcnews no surprise to see nbc supporting whitesupremacy again. they let trump have free ad time on an entire episode of snl in 2016.,United States of America,Georgia,GA,Donald Trump,1,0.1\r\n44,10/16/2020,nbcnews trump is telling the american people there is a cure for the corona virus . did everybody hear that  donaldtrump is lying and a menace to the world . votehimout,United States of America,New York,NY,Donald Trump,0,-0.1\r\n45,10/16/2020,nbcnewsisasellout trump says he denounces white supremacy which means an idea not the supremacists   he condems the people of the right left nbc his giving a tribune to trump's insanity,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n46,10/16/2020,nbcpolitics savannahguthrie who is the bobblehead in the background wearing the red mask she agrees with everything trump says. smh,United States of America,Minnesota,MN,Donald Trump,0,-0.4\r\n47,10/16/2020,new polling shows that u.s. voters no longer believe trump\xe2\x80\x99s promise that an economic recovery and a c19 vaccine are \xe2\x80\x9caround the corner\xe2\x80\x9d and a conspiracy theory that biden leads a democratic satanic cult,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n48,10/16/2020,no question because \xe2\x80\x9cthey\xe2\x80\x9d know the science and \xe2\x80\x9cthey\xe2\x80\x9d own the science. if they don\xe2\x80\x99t know it it is not science trump trump2020.,United States of America,California,CA,Donald Trump,0,-0.2\r\n49,10/16/2020,no way in hell are these questions from trump town hall participants self-written.   maga trump2020,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n50,10/16/2020,not a major disaster trump administration rejects california\xe2\x80\x99s wildfire relief funds request  bidenharris2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n51,10/16/2020,not only does trump have no actual agenda for 2nd term beyond herd immunity that wld kill 2-6m but using same attack lines from 2016 even still going after .hillaryclinton &amp; trying to use stolen emails to fabricate scandal. pathetic. votebidenharristosaveamerica .maggienyt,United States of America,New York,NY,Donald Trump,0,-0.4\r\n52,10/16/2020,note to evangelicals. you may want to check out these comments by bensasse before voting for trump this time... \xe2\x80\x9cgop senator unloads on trump in constituent call saying 'he mocks evangelicals' and has 'flirted with white supremacists'\xe2\x80\x9d,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n53,10/16/2020,notice all the questions biden gets are flattering to him and very easy. they talk to him like he's a child. these are questions for children. they should have him sit in a baby's high chair.        townhall sleepyjoebiden trump,United States of America,New York,NY,Donald Trump,2,0\r\n54,10/16/2020,notice how all these people flatter him before they speak ha they know it disarms him and were definitely told to do this. trumptownhall trump bidenharris2020landslide,United States of America,Michigan,MI,Donald Trump,0,-0.1\r\n55,10/16/2020,notmypresident bluewave2020 theresistance flipitblue antitrump unfitforoffice   ruleoflaw deathofdemocracy joebiden2020 joe2020 joebiden bidenharris2020 townhall donaldtrump,United States of America,New York,NY,Donald Trump,1,0.4\r\n56,10/16/2020,now donaldtrump admits that his position on the supremecourt utterly changed when he saw the due dilligence on justicekavanaugh. amyconeybarrettscotus,United States of America,District of Columbia,DC,Donald Trump,1,0.2\r\n57,10/16/2020,now how they gone say trump racist. but go and vote for the democrat party who use to be kkk the whole party this shit is not hidden. the lack of knowledge now dayz is spooky. \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82\xf0\x9f\x98\x82quit listening to them devilworshippers lmao,United States of America,Michigan,MI,Donald Trump,0,-0.6\r\n58,10/16/2020,now that it has been established that guliani is a russian asset and he is prepping trump to debate biden should cancel the next debate.   why enable trump to distribute  russian disinformation,United States of America,California,CA,Donald Trump,0,-0.6\r\n59,10/16/2020,nvpatriotgirl her poll says trump wins,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n60,10/16/2020,nytimes 47 years ago...doj sues donald trump fred trump &amp; trump management for discrimination against black tenants. as part of settlement 2 years later had to bone up on fair housing act &amp; place ads saying they welcomed black applicants. no admission of wrongdoing tho,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n61,10/16/2020,nytopinion even william henry harrison was a better president than trump and he died like 2 weeks into his term.,United States of America,Maryland,MD,Donald Trump,0,-0.4\r\n62,10/16/2020,of course trump has no problem talking over savannahguthrie. townhall...,United States of America,New York,NY,Donald Trump,1,0.1\r\n63,10/16/2020,of course trump supporters saw actual fact checking &amp; corrections in real time by a strong woman moderator as \xe2\x80\x9cattacks\xe2\x80\x9d and \xe2\x80\x9cinterrupting\xe2\x80\x9d...let\xe2\x80\x99s keep holding him accountable savannahguthrie townhall bidenharris,United States of America,New York,NY,Donald Trump,0,-0.5\r\n64,10/16/2020,okay song's over. head-banging-induced warmth for some of the trump crowd is gone. back to work everybody.,United States of America,Oregon,OR,Donald Trump,1,0.4\r\n65,10/16/2020,omfg i just love savannahguthrie - thank you for going balls to the wall with trump and saying he\xe2\x80\x99s not someone\xe2\x80\x99s \xe2\x80\x9ccrazy uncle.\xe2\x80\x9d he\xe2\x80\x99s beyond delusional. nbcnews savannah should have all her drinks comped tonight. trumptownhall notmypresident,United States of America,California,CA,Donald Trump,1,0.3\r\n66,10/16/2020,on cnnpolitics fact-checking the trump and biden town halls -   - is virtually apologetic of trump lies calling them misleading ... is cnnpolitics working for the president softening the impact of his lies,United States of America,California,CA,Donald Trump,0,-0.6\r\n67,10/16/2020,on election day we'll see how much americans care about trump's lies.,United States of America,California,CA,Donald Trump,0,-0.4\r\n68,10/16/2020,our safety &amp; security is in danger \xf0\x9f\x99\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 democrat\xe2\x80\x99s are down in votes too many young black people on the fence trump is racist the election is not over america is in a \xe2\x80\x9ccivil rights crisis\xe2\x80\x9d we must vote for joebiden &amp; senkamalaharris \xf0\x9f\x99\x8f \xf0\x9f\x87\xba\xf0\x9f\x87\xb8thereval thereidout capehartj,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n69,10/16/2020,padded with trump lovers. shame on nbc,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n70,10/16/2020,padmalakshmi trump,United States of America,Texas,TX,Donald Trump,2,0\r\n71,10/16/2020,pelosi and trump go afullyear without speaking thehill,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n72,10/16/2020,personally i don't think trump or biden are presidential quality but for all the trump haters the smart thing to do would be to vote for trump. if you can stand four more years of him then you're done with him. put someone else in there and he could run again in the future.,United States of America,Tennessee,TN,Donald Trump,0,-0.4\r\n73,10/16/2020,piden a trump y biden que impidan deportaci\xc3\xb3n de 22 millones de personas impactolatino nacional trump joebiden pol\xc3\xadtica inmigraci\xc3\xb3n deportaci\xc3\xb3n,United States of America,New York,NY,Donald Trump,0,-0.1\r\n74,10/16/2020,pierce_lorene crambed3 savannahguthrie trump alwaya has to fight moderator. viscious democratsaredestroyingamerica  fakenewsmediaclowns journalismisdead,United States of America,California,CA,Donald Trump,2,0\r\n75,10/16/2020,please dont vote for trump,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n76,10/16/2020,please put stevebannon back in jail.   let's see his email  he's still working for trump as usual.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n77,10/16/2020,politico which is what every single respected scientific expert in the entire world has been saying repeatedly since april 2020. the headline should be trump's lies throughout the campaign season come home to roost.,United States of America,Oregon,OR,Donald Trump,0,-0.6\r\n78,10/16/2020,potus donaldtrump vs joebiden,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n79,10/16/2020,potus realdonaldtrump donaldtrump seriously stop letting the left morons interview you. talk to oann or foxheadlines do a town hall so that voters will actually get to ask questions. maga2020 maga2020landslidevictory donaldtrump2020 donaldtrumptownhall,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n80,10/16/2020,potus would trade it all for one hug from jake tapper trump,United States of America,New York,NY,Donald Trump,1,0.3\r\n81,10/16/2020,prepare for \xe2\x80\x9cnasty woman\xe2\x80\x9d tweet after nbc redeems itself. townhall trump,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n82,10/16/2020,president donald trump admits that jesus is more famous than him,United States of America,Nevada,NV,Donald Trump,0,-0.6\r\n83,10/16/2020,president donald trump\xe2\x80\x99s miami town-hall forum this evening was far from dull to say the least. trumptownhall,United States of America,California,CA,Donald Trump,2,0\r\n84,10/16/2020,president trump called climatechange \xe2\x80\x9ca hoax\xe2\x80\x9d and said it was invented by the chinese. if you don\xe2\x80\x99t think that way saddle up and vote,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n85,10/16/2020,president trump is a champ this man is not afraid of no one ... not even annoying savanna guthrie knock her out \xf0\x9f\x91\x8a\xf0\x9f\x8f\xbb\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x91\x8a\xf0\x9f\x8f\xbb presidenttrump 4moreyears latinosfortrump blackvoicesfortrump debate2020 donaldtrump trump2020landslide,United States of America,Texas,TX,Donald Trump,1,0.3\r\n86,10/16/2020,president trump is planning to dress up as q for halloween as a shoutout to far-right qanon supporters but if pressed about his costume selection by reporters he'll just say he's a dressed up as a retweet \xf0\x9f\x91\xbb \xf0\x9f\x8e\x83 halloween trump trumpcostume trumptownhall,United States of America,California,CA,Donald Trump,0,-0.5\r\n87,10/16/2020,programming note i missed the first trump rally today because i was out of the house but i\xe2\x80\x99ll be tuning in to the second one which starts in about an hour. follow/mute at will,United States of America,Oregon,OR,Donald Trump,1,0.1\r\n88,10/16/2020,projectlincoln exceptional commercials about girls and what they see and hear from trump. now please do one for boys to show they how *not* to speak to or treat girls. vitally important learning that they don't think trump and his disrespectful approach to women is okay.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n89,10/16/2020,projectlincoln this brought tears to my eyes as a woman as a professional as a mother i had enough of trump and anyone else belittling women... votebidenharris2020 and don't forget to keep them accountable. voteearly vote,United States of America,New York,NY,Donald Trump,2,0\r\n90,10/16/2020,psa our president donaldtrump is doing well so no need to worry fridaymorning covid__19 annonymous fridayvibes,United States of America,Illinois,IL,Donald Trump,1,0.8\r\n91,10/16/2020,q13fox savannahguthrie looked like this and made a total b word of herself. trump did great but crookedjoebiden was boring,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n92,10/16/2020,question - if you go to your youtube homepage is there a trump ad at the top,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n93,10/16/2020,radiofreetom therickwilson you have to wonder what's in the water in america when so many men associated with trump seem too have nuts the size of peas.,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n94,10/16/2020,realdailywire she held the crooked trump accountable for all his trumplies. if this would\xe2\x80\x99ve happened for the last four years we\xe2\x80\x99d be in a much better place already. trumplied215kamericansdied,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n95,10/16/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n96,10/16/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n97,10/16/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n98,10/16/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n99,10/16/2020,realdonaldtrump crazynancy speakerpelosi holding up stimulus hostage to hurt trump re-election potus potus,United States of America,California,CA,Donald Trump,0,-0.5\r\n100,10/16/2020,realdonaldtrump doesn\xe2\x80\x99t care about viruses in our lungs why would he care about smoke trump california republicans - u all still willing to overlook the decisions he makes which continue to allow death/illness/destruction,United States of America,California,CA,Donald Trump,0,-0.8\r\n101,10/16/2020,realdonaldtrump exciting prospect of president trump finally turning georgia into a bluestate his latest endorsement of the conspiracytheories of the antisemitic radical extremist fringe group qanon will certainly help. keep up the crazyuncle business it's working for biden,United States of America,California,CA,Donald Trump,1,0.2\r\n102,10/16/2020,realdonaldtrump how embarrassing for you. trumpsupportsterrorism trump blametrump recognizeartsakh stopaliyev,United States of America,California,CA,Donald Trump,0,-0.4\r\n103,10/16/2020,realdonaldtrump huge t is yours. that again is huget for trump .,United States of America,Indiana,IN,Donald Trump,2,0\r\n104,10/16/2020,realdonaldtrump more trump lies about widespread election fraud anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler,United States of America,California,CA,Donald Trump,0,-0.8\r\n105,10/16/2020,realdonaldtrump nbcnews cspan trump will be doing 4 fake years inadequately playing the role of potus. the popular vote in 2016 did not ask this worthless celebrity-concoction to occupy the whitehouse. hopefully his residency will end due to his consistent lying and malicious mismanagement votehimout2020,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n106,10/16/2020,realdonaldtrump nbcnews did i perform well at the townhall trumptownhall trump trumphascovid trump2020 trumpmeltdown trumpisbroke trumpisacoward maga maga2020,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n107,10/16/2020,realdonaldtrump people voters financial backers military personnel republicans are fleeing from trump.  lies too often. promises broken too often. animosity too often. failures of policy too often. don\xe2\x80\x99t vote for trump. if he is no longer in the whitehouse what does trump have to lose,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n108,10/16/2020,realdonaldtrump president trump you\xe2\x80\x99re doing an incredible job \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 4moreyears donaldtrump,United States of America,New York,NY,Donald Trump,1,0.6\r\n109,10/16/2020,realdonaldtrump senatorcollins trump is a radio stuck on one chit station that plays the same old boring song 24 hrs a day god he truly is america\xe2\x80\x99s crazyuncle,United States of America,Minnesota,MN,Donald Trump,0,-0.7\r\n110,10/16/2020,realdonaldtrump super predator trump,United States of America,New York,NY,Donald Trump,1,0.6\r\n111,10/16/2020,realdonaldtrump thebabylonbee you should get off twitter then. right can you do that or is it you\xe2\x80\x99re only nearly non-filtered way of spreading your lies and conspiracy theories bigt crazyuncletrump donaldtrump,United States of America,Maryland,MD,Donald Trump,0,-0.7\r\n112,10/16/2020,realdonaldtrump trump is holding up appropriate resources to diminish increasing cases &amp; deaths due to covid19.  trump stalled on preventing gunviolence. trump never supported infrastructure initiatives &amp; the jobs it would have created &amp; so much more. trumpisanationaldisgrace votehimout,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n113,10/16/2020,realdonaldtrump trumprefusedtogivehisdna to investigators in rape case. trump superpredator jeffreyepstein,United States of America,Virginia,VA,Donald Trump,2,0\r\n114,10/16/2020,realdonaldtrump votehimout2020 the super predator turd trump,United States of America,Wisconsin,WI,Donald Trump,2,0\r\n115,10/16/2020,realdonaldtrump why haven't you managed to make any progress in 4 years how will you make progress in the years ahead covid19 medicareforall trump,United States of America,North Carolina,NC,Donald Trump,0,-0.6\r\n116,10/16/2020,really awesome news joebiden defeated trump in the tvratings during the dual townhallmeetings on thursday night october 15 2020 joebiden beat trump by nearly a million more viewers,United States of America,District of Columbia,DC,Donald Trump,1,0.9\r\n117,10/16/2020,recall biden comparing trump to goebbels. aside from being an abomination in the face of the history of the holocaust such a statement is incredibly/irresponsibly incendiary .. at a time when violence against trump supporters is escalating.,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n118,10/16/2020,remember when trump said he was so rich that he could run a campaign without becoming beholden to anyone,United States of America,New York,NY,Donald Trump,0,-0.1\r\n119,10/16/2020,report obama officials will fill biden white house under 'diversity' mantle whitehouse trump politicalviews,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n120,10/16/2020,resistthepres mattgaetz is like the child in the family that daddy never loved. doesn't even know his name and could care less what he does. he's also anti-pedophile so probably not a big fan of matt. trump,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n121,10/16/2020,rexchapman hand picked audience by trump or nbc  fixed fucked,United States of America,California,CA,Donald Trump,0,-0.2\r\n122,10/16/2020,robrt_m_goldste shazinor marytrump seems to be the one member of the trump family raised to show &amp; feel compassion for others. what a complete 180 from her uncleit\xe2\x80\x99s so refreshing to hear an empathetic voice for all those who were lied to about covid19 &amp; suffering the consequences of the lyingtrump,United States of America,Michigan,MI,Donald Trump,1,0.7\r\n123,10/16/2020,roseyresistor gmafb  where the hell is bensasse anti trump speeches on the floor of the senate  yeah no where.  he's just trying to cut the anchor loose so it doesn't drag him all the way down....,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n124,10/16/2020,roycejonesnews oakmontbakery kdka trump,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n125,10/16/2020,rt govexec trump said \xe2\x80\x98i alone can fix\xe2\x80\x99 government. he failed. politics,United States of America,New York,NY,Donald Trump,0,-0.6\r\n126,10/16/2020,rudy giuliani has been a foolish target of a russian disinformation campaign designed to bring bad information to trump. \xe2\x80\x9cwashington post white house was warned that giuliani was being used by russians to 'feed misinformation' to trump\xe2\x80\x9d,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n127,10/16/2020,rudy giuliani's daughter says to vote for biden and harris to end trump's 'reign of terror'  truth rudygiuliani carolinegiuliani vote bidenharris2020 trump rudygiuliani realdonaldtrump,United States of America,California,CA,Donald Trump,0,-0.7\r\n128,10/16/2020,rudygiuliani daughter says to vote for bidedharris to end trump 'reign of terror' gop senategop - cnn  via googlenews,United States of America,California,CA,Donald Trump,0,-0.4\r\n129,10/16/2020,russia records 13754 covid-19 cases in past 24 hours trump potus politicalparties,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n130,10/16/2020,russia used trump's personal lawyer to feed misinformation to the president -- and the white house knew,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n131,10/16/2020,salaries of heads of state and heads of government  paulbiya donaldtrump gbr france espana italia nederland belgique sverige suisse \xc3\xb6sterreich \xc4\x8de\xc5\xa1tina norge suomi danmark polska usa australia ireland canada rom\xc3\xa2nia china india brazil,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n132,10/16/2020,savannahguthrie can you honestly say you would treat biden with the same demeanor and tough questions can you honestly say you would ask biden about hunter because i\xe2\x80\x99m \xf0\x9f\x92\xaf certain you would grill trump if it was his son doublestandards savannahguthrie trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n133,10/16/2020,savannahguthrie dressed in lgbtq+ pussy-hat pink is triggering trump into full rumpelstiltskin mode.,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n134,10/16/2020,savannahguthrie girl. you were the loser tonight. anyone over the age of 30 otherwise known as \xe2\x80\x9cthe voting public\xe2\x80\x9d knows focused on and will remember how you treated trump tonight\xe2\x80\x94and nothing else. he won. the black voter behind him won. you lost bigly.,United States of America,Kentucky,KY,Donald Trump,0,-0.3\r\n135,10/16/2020,savannahguthrie grilled trump like few others have taking the heat off nbc for its town hall.,United States of America,California,CA,Donald Trump,2,0\r\n136,10/16/2020,savannahguthrie i was so let down and disappointed that you let trump spin you around and not answer your questions. if you take the time to write and ask a question you think we want to hear why did you let him off the hook whynbcnews todayshow,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n137,10/16/2020,savannahguthrie is the definition of fake news tonight wasn\xe2\x80\x99t journalism folks. trump still won the debate which was supposed to be a town hall. bias trump nbc trump2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n138,10/16/2020,savannahguthrie i\xe2\x80\x99m sorry but you\xe2\x80\x99re wrong. he is someone\xe2\x80\x99s crazy uncle. trump debate2020,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n139,10/16/2020,savannahguthrie trends crazyuncletrump crazyuncle  crazyuncledonald crazyuncledonnie crazyuncledonny with best line of the night but got it wrong. trumpcrimefamily trump is in fact maryltrump's crazy uncle who can in retweet whatever. read,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n140,10/16/2020,savannahguthrie you did a great job last night. if only other journalists had the balls to address the insane sociopathic lies of trump trumptownhall votebidenharris2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n141,10/16/2020,saw trump. nothing is different. he's reacting and all over the place and not comfortable in his own skin. saw biden. he's thinking. focused. comfortable with who he is. the choice this year is binary. debates2020 abc nbc,United States of America,California,CA,Donald Trump,1,0.1\r\n142,10/16/2020,scientificrealm realdonaldtrump can i un-see this please  trump northkorea,United States of America,New Jersey,NJ,Donald Trump,0,-0.2\r\n143,10/16/2020,scientificrealm realdonaldtrump when he dies trump will not meet jesus.,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n144,10/16/2020,see more great cartoons from across the usa today network by clicking here  voteearly vote votersuppression biden trump freep usatodayopinion,United States of America,Michigan,MI,Donald Trump,1,0.5\r\n145,10/16/2020,see my previous tweet trump election2020,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n146,10/16/2020,senador republicado dice que trump coquetea con supremacistas y dictadores -  evnews donaldtrump eeuu senado,United States of America,Florida,FL,Donald Trump,2,0\r\n147,10/16/2020,senatormelendez  i work for fortune 500 companies close to the cfo ceo. during earnings calls everything is scripted &amp; they all have notes to ensure their responses are accurate. trump loves to lie so he hates notes but this is what good leaders do. dumptrump votebidenharris2020,United States of America,Texas,TX,Donald Trump,1,0.1\r\n148,10/16/2020,senioradviser ivankatrump received a total of 41trademarks from china in the midst of tradenegotiations between her dad trump and presidentxi.,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n149,10/16/2020,shame on nbc but major kudos to savannahguthrie for standingup to donaldtrump not letting liarinchief off the hook and asking real questions. you\xe2\x80\x99ve earned a fan thank you for outstanding journalism,United States of America,New York,NY,Donald Trump,1,0.6\r\n150,10/16/2020,shmockeroo andrewcmccarthy benshapiro johnsonhildy it\xe2\x80\x99s absolutely disgusting how you folks are publicly ridiculing hunterbiden for having an addiction problem.  it\xe2\x80\x99s absolutely disturbing and why trump needs to go.  simple. joebiden is going to be potus for at least empathy.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n151,10/16/2020,shmockeroo andrewcmccarthy benshapiro johnsonhildy messenger of propaganda.  donaldtrump just said last night he has no problem distributing propaganda and letting people work it out.  has no problem doing that.  that is the leader of the government for you. if you don't see a problem with that you are not a patriot.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n152,10/16/2020,shmockeroo andrewcmccarthy benshapiro johnsonhildy nothing to do with politics.  sure.  from a team donaldtrump who actually said last night he is completely fine with putting out totally false information and letting people figure it out.  how is that not the enemyofthepeople fandom is a bizarre disease. joebiden,United States of America,New York,NY,Donald Trump,0,-0.2\r\n153,10/16/2020,shmockeroo andrewcmccarthy benshapiro johnsonhildy obviously you have your bias etc.  i am just judging by what i see with my own eyes i.e. donaldtrump's own mouth.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n154,10/16/2020,shmockeroo andrewcmccarthy benshapiro johnsonhildy which kind of means the innuendos that he is referring to is obviously trying to draw a political picture.  no  would you listen to an investigator from joebiden's camp analyzing trump's accusations i wouldn't,United States of America,New York,NY,Donald Trump,0,-0.7\r\n155,10/16/2020,shmockeroo andrewcmccarthy benshapiro johnsonhildy you're on a different planet.  take care man.  keep being part of the trump fandom.  i see you are just pulling straws.  look at hunterbiden's cv before you open your trap.  he is a successful person with an addition.  typical backward culture you are displaying. take care.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n156,10/16/2020,si biden gana en florida dejar\xc3\xa1 sin posibilidades al republicano donald trump -  evnews joebiden donaldtrump elecciones2020 eeuu,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n157,10/16/2020,sicarioscott a proud trump supporter \xf0\x9f\x91\x8d\xf0\x9f\x8f\xbb\xf0\x9f\xa4\x97\xf0\x9f\x92\xaa\xf0\x9f\x8f\xbb,United States of America,Louisiana,LA,Donald Trump,1,0.4\r\n158,10/16/2020,skynews projectlincoln comparing trump to a vampire is an insult to vampires.,United States of America,California,CA,Donald Trump,0,-0.8\r\n159,10/16/2020,so i think twitter and facebook will help win the election for trump with censorship election2020,United States of America,Ohio,OH,Donald Trump,2,0\r\n160,10/16/2020,so joebiden shows up to his townhall and not asked once about hunterbidenemails donaldtrump shows up to his town hall and it\xe2\x80\x99s a borderline political hit job and a on the spot debate with savannahguthrie.  got setup,United States of America,New York,NY,Donald Trump,0,-0.2\r\n161,10/16/2020,so obviously biden won. he was pleasantly boring civil logical and caring. trump lost because he\xe2\x80\x99s nothing more than an idiot who can\xe2\x80\x99t even condemn ridiculous conspiracy theorists. townhall townhalls,United States of America,Arizona,AZ,Donald Trump,0,-0.1\r\n162,10/16/2020,so the story of donaldtrump calling fallen soldiers \xe2\x80\x9closers\xe2\x80\x9d has been debunked by 20+ people including john bolton who hates him. people never got censored for sharing that story. yet it\xe2\x80\x99s continued to be used as a talking point.,United States of America,Louisiana,LA,Donald Trump,0,-0.4\r\n163,10/16/2020,so there are 13.0 million idiots that support lies racism sexism and just plain stupidity.  trump is a fraud so are they,United States of America,New York,NY,Donald Trump,0,-0.8\r\n164,10/16/2020,so trump rejects california disaster assistance request for wildfires  potus is not the present for the entire usa only those that kiss the ring. i hope \xe2\x81\xa6gavinnewsom\xe2\x81\xa9 withholds our federal tax dollars to make up the difference  cnnpolitics,United States of America,California,CA,Donald Trump,0,-0.4\r\n165,10/16/2020,so what was the craziest thing trump said tonight,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n166,10/16/2020,sociologistray &amp; drklg4health lay it out. \xe2\x80\x9cin 2016 trump asked black americans what do you have to lose  well what black people have to lose are their lives as well as those of their loved ones if stuck with 4 more years of a trump administration.\xe2\x80\x9d,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n167,10/16/2020,some facts about the world trump has a special pouch for bitcoins and puppies.  learningtime,United States of America,New York,NY,Donald Trump,1,0.2\r\n168,10/16/2020,someone give savannahguthrie  an award for the facial expression restraint she showed during that bs tornado she was caught in. trumptownhall questionavoidance liesandbs trump donaldtrump conmandon,United States of America,New York,NY,Donald Trump,2,0\r\n169,10/16/2020,sounds like hunterbiden is a reality show i would definitely watch. bidengate biden trump2020landslide trump,United States of America,Oklahoma,OK,Donald Trump,1,0.2\r\n170,10/16/2020,split screen tonight in the us as donaldtrump and joebiden hold rival townhall events this evening - the second presidential debate had been scheduled for tonight but trump objected to the virtual forum,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n171,10/16/2020,state department signals it will keep most details of its spending at trump\xe2\x80\x99s properties hidden until after election  trumporg trumpcrimefamily trump profiteering statedepartment mooches freeloaders,United States of America,New York,NY,Donald Trump,2,0\r\n172,10/16/2020,stevehofstetter trump - big t ... turncoat  thief traitor thug toddler termite,United States of America,California,CA,Donald Trump,0,-0.5\r\n173,10/16/2020,steven_scibetta mayrajoli chrisrock this is trump talking about hillaryclinton,United States of America,California,CA,Donald Trump,0,-0.2\r\n174,10/16/2020,stoparmenianterrorism stoparmenianagression fareedzakaria trump,United States of America,Texas,TX,Donald Trump,2,0\r\n175,10/16/2020,surprising no one trump is debating the moderator.,United States of America,California,CA,Donald Trump,0,-0.3\r\n176,10/16/2020,swing-state polls suggest a narrowed path for trump's reelection thehill,United States of America,Texas,TX,Donald Trump,2,0\r\n177,10/16/2020,texas politics \xf0\x9f\xa4\xaa donaldtrump vantaylor republicans nevertrump texas dallas dfw collincounty plano dfw vote elections election2020 dumptrump voteblue bluewave  democrats americafirst bidenharris2020 republicansaretheproblem,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n178,10/16/2020,thanks captain obvious 2020 is trash. what a time for the delorean to be in the shop. trash 2020 corona trump biden covid,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n179,10/16/2020,thanks to kylegriffin1 for adding absolutely no value in this tweet.  this was reported by nearly every media outlet but kyle needs to find a way to stay relevant by saying \xe2\x80\x9cme too\xe2\x80\x9d to other people\xe2\x80\x99s news reports.  this guy is deranged propaganda.  vote trump to see kyle cry.,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n180,10/16/2020,that is abhorrent.  california votehimout trump must go for the good of our country.  let's turn the page...,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n181,10/16/2020,that lady in the back giving a lot of yes nods trump townhall,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n182,10/16/2020,the best part of the bidentownhall was when biden straight up called trump a dogfacedponysoldier savage potus45,United States of America,District of Columbia,DC,Donald Trump,1,0.5\r\n183,10/16/2020,the bidentownhall and trumptownhall show how media treatment of the two is night and day. savannahguthrie interrupting voter questions/attacking trump stephanopoulos politely moderating/chiming in when appropriate.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n184,10/16/2020,the cure is worse than the disease  by claytoncraddock  trump bidenharris2020 bidenharristosaveamerica cure disease lockdown shutdown newyorkcity newyork cuomo who worldhealthorganization thinkthingsthrough,United States of America,New York,NY,Donald Trump,0,-0.7\r\n185,10/16/2020,the energy trump exudes is what catches lot of white people i think . they like power over humility and looking vulnerable .,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n186,10/16/2020,the gop will literally pretend they never heard of trump in three months. so never let them forget the last four years of bowing down before the king. gophypocrisy,United States of America,Washington,WA,Donald Trump,2,0\r\n187,10/16/2020,the group black angels ball held a rally and march starting at stonewall in nyc october 15 2020 calling for the end of police brutality... reduxpictures nyc trump america blm,United States of America,New York,NY,Donald Trump,2,0\r\n188,10/16/2020,the hill's morning report sponsored by facebook trump combative biden earnest during distanced tv duel thehill thehillmorningreport,United States of America,Texas,TX,Donald Trump,2,0\r\n189,10/16/2020,the identity of the mysterious nodding woman from the trump town hall has been revealed via westjournalism,United States of America,Arizona,AZ,Donald Trump,2,0\r\n190,10/16/2020,the lady behind potus trump in the red skirt and red mask. you are the real mvp \xf0\x9f\x99\x8c\xf0\x9f\x8f\xbd\xf0\x9f\x92\x81\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f yassss trumptownhall trump ladyintheback,United States of America,Tennessee,TN,Donald Trump,1,0.2\r\n191,10/16/2020,the lady voter in red pants &amp; red mask above  realdonaldtrump left shoulder is awesome nodding \xe2\x80\x9chell yes\xe2\x80\x9d 2 everything trump says. love her. kilmeade stevedoocy ainsleyearhardt foxandfriends must have her on,United States of America,Florida,FL,Donald Trump,1,0.5\r\n192,10/16/2020,the latest headlines marytrump reminds us that donaldtrump really is someone's crazy uncle trump admits jesuschrist is more famous than he is feds examining whether alleged hunterbiden emails are linked to a foreign intel operation,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n193,10/16/2020,the maga family is the best family. we all stand together no matter what even if we dare i say lose the election we won\xe2\x80\x99t stop. we become even stronger trump maga corruptjoebiden,United States of America,Nevada,NV,Donald Trump,1,0.4\r\n194,10/16/2020,the only thing that\xe2\x80\x99s been a plus in relation to trump is savannahguthrie tearing him a new one with facts \xf0\x9f\x98\x82,United States of America,New York,NY,Donald Trump,1,0.2\r\n195,10/16/2020,the president is an idiot. votehimout trump trumpfailedamerica lincolnvoter,United States of America,California,CA,Donald Trump,0,-0.4\r\n196,10/16/2020,the state of affairs... duelingtownhalls townhalls trump biden thebuffalonews,United States of America,New York,NY,Donald Trump,2,0\r\n197,10/16/2020,the superspreader special lands in macon georgia trump 2020election,United States of America,Texas,TX,Donald Trump,2,0\r\n198,10/16/2020,thehill realdonaldtrump yup straight to jail trumpcrimefamily donaldtrump liarinchief trumppence2020 trumpcrimesyndicate,United States of America,Florida,FL,Donald Trump,1,0.1\r\n199,10/16/2020,thehill trump - can\xe2\x80\x99t be any worse than the family of yours - your kids are bilking every avenue they can. even chief of staff johnkelly acknowledges this. as well your businesses have made millions off your presidency.  stop opening yourself up like this. votebluetoendthisnightmare,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n200,10/16/2020,thehill who the hell was trump combating this was his opportunity to score points not turn away more votes. well he\xe2\x80\x99s kind of a mean and not very smart tax cheat and racist. silly bastard. \xf0\x9f\x98\x82,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n201,10/16/2020,themadstone is this a trick question about trump supporters,United States of America,California,CA,Donald Trump,0,-0.8\r\n202,10/16/2020,there are people in the middle - says savannahguthrie and a man in the distance behind her gives a fist pump. donaldtrump townhall,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n203,10/16/2020,there are two town halls on tonight.  one is a human being who actually makes sense and has a coherent way of communicating and the other is utterly befuddled and can\xe2\x80\x99t follow a thought because he is mentally incapacitated.  that man is the demented lunatic donaldtrump,United States of America,New York,NY,Donald Trump,2,0\r\n204,10/16/2020,there is a jimmycagney movie on now on movies. jamescagney. trump is boring...,United States of America,New Mexico,NM,Donald Trump,0,-0.1\r\n205,10/16/2020,therecount acosta realdonaldtrump needs to pass not only covid__19 test but also dementia test again can whitehouse doctors start conducting both daily on trump,United States of America,California,CA,Donald Trump,0,-0.5\r\n206,10/16/2020,thewarmonitor trump is excellent at bankruptcy; now he's done it to our entire country.,United States of America,Washington,WA,Donald Trump,1,0.6\r\n207,10/16/2020,this is not your grandfather\xe2\x80\x99s gop. bannon rudycolludy trump hunterbiden \xf0\x9f\x99\x84\xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,New York,NY,Donald Trump,0,-0.2\r\n208,10/16/2020,this is straight outa classic election playbook john f kennedy\xe2\x80\x99s smile became a thing among the suburban housewives and got him the votes he wanted. trump camp is obviously trying that tactic right here. watch and learn people election2020 elections_2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n209,10/16/2020,this man bout to sweat off his whole kylie jenner makeup kit \xf0\x9f\x98\xab\xf0\x9f\x98\xab\xf0\x9f\x98\x82\xf0\x9f\x98\x82trump townhall,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n210,10/16/2020,this says it all. babylonbee trump potus realdonaldtrump donaldjtrumpjr theonion fridayvibes fridayfeeling fakenews,United States of America,Oregon,OR,Donald Trump,2,0\r\n211,10/16/2020,this suppression of the democratic vote is analogous to the years of socio/economic repression that yielded us a trump victory in 2016 - that widespread discontent at being ignored by the establishment politicos eventually results in a often severe refutation of the status quo,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n212,10/16/2020,this trump voter asking biden about the crime bill now is about as undecided as i am. bidentownhall,United States of America,Puerto Rico,PR,Donald Trump,0,-0.1\r\n213,10/16/2020,this whole day so far with trump has been a close encounter of the turd kind.,United States of America,Washington,WA,Donald Trump,1,0.4\r\n214,10/16/2020,thom_hartmann within an hour after trumptownhall tonite thejusticedept released an unusual number of tweets within minutes of eac other - many about indictments/arrests for taxfraud.  is billbarr sending trump a message    gopoversight oversightdems senwarren nytimes,United States of America,Wisconsin,WI,Donald Trump,0,-0.1\r\n215,10/16/2020,three weeks before electionday trump allies go after hunter and joe biden,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n216,10/16/2020,tiktok via politico.  david urban\xe2\x80\x99s decision to leave american continental group the lobbying firm... to become an executive vice president at bytedance the  company that\xe2\x80\x99s fought with the trump administration...\xe2\x80\x9c he\xe2\x80\x99s a client now\xe2\x80\x9d of american continental...   privacy,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n217,10/16/2020,to everyone who is upset with savanah guthrie being such a big tough meany at trumptownhall maybe trump being an asshole before he even arrived had something to do with it. \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f,United States of America,Iowa,IA,Donald Trump,0,-0.1\r\n218,10/16/2020,today i saw video of masvidal picking up trump. just imagine the hardship he went thru no qualifications no good merits just a will to change his life. god i love these type of things. you go my boy and congratulations you\xe2\x80\x99re prefect to represent your people. trump masvidal,United States of America,New York,NY,Donald Trump,1,0.1\r\n219,10/16/2020,townhall  takeaways biden at ease while trump struggles under pressure with the truth -,United States of America,New York,NY,Donald Trump,1,0.7\r\n220,10/16/2020,townhall townhalls bidentownhall trump biden nbc,United States of America,Georgia,GA,Donald Trump,2,0\r\n221,10/16/2020,tpes morningpoliticalthought olympics tokyo summer2021 jewishvote twitter section230 freespeech congress facebook townhall ladyintheredmask dnc obama racism blackvote taxes taxaudit trump maga2020 trump2020 vote2020 parler,United States of America,California,CA,Donald Trump,0,-0.6\r\n222,10/16/2020,tpes morningpoliticalthought olympics tokyo summer2021 jewishvote twitter section230 freespeech congress facebook townhall ladyintheredmask dnc obama racism blackvote taxes taxaudit trump maga2020 trump2020 vote2020 parler,United States of America,California,CA,Donald Trump,0,-0.6\r\n223,10/16/2020,tpes morningpoliticalthought olympics tokyo summer2021 jewishvote twitter section230 freespeech congress facebook townhall ladyintheredmask dnc obama racism blackvote taxes taxaudit trump maga2020 trump2020 vote2020 parler,United States of America,California,CA,Donald Trump,0,-0.6\r\n224,10/16/2020,tribelaw trump has been doing 4 fake years poorly playing the role of potus. the popular vote in 2016 did not ask him to occupy the whitehouse. the consequences of his residency has been horrendous. due to his lying &amp; maliciousness hopefully his stay in the wh will end. vothimout,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n225,10/16/2020,trump,United States of America,Michigan,MI,Donald Trump,2,0\r\n226,10/16/2020,trump 400million owed. let that sink in. he and his family are desperate for a whitehouse win.,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n227,10/16/2020,trump administration rejects california\xe2\x80\x99s request for wildfire relief  climatechange,United States of America,New York,NY,Donald Trump,0,-0.5\r\n228,10/16/2020,trump administration rejects california\xe2\x80\x99s request for wildfire relief funds \xe2\x80\x94\xe2\x80\x94&gt;,United States of America,Ohio,OH,Donald Trump,0,-0.6\r\n229,10/16/2020,trump administration turns down california\xe2\x80\x99s request for wildfire disaster assistance trumperyresistance trump,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n230,10/16/2020,trump announces plan to deliver free coronavirus vaccine to seniors thehill,United States of America,Texas,TX,Donald Trump,1,0.1\r\n231,10/16/2020,trump asked once again about white supremacy qanon. biden asked about his favorite color.,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n232,10/16/2020,trump biden fire shots from afar in dueling townhalls  more headlines,United States of America,Texas,TX,Donald Trump,2,0\r\n233,10/16/2020,trump biden howiehawkins,United States of America,California,CA,Donald Trump,1,0.1\r\n234,10/16/2020,trump broke savannahguthrie in less than 60 minutes. he\xe2\x80\x99s good \xf0\x9f\x91\x8a,United States of America,New York,NY,Donald Trump,1,0.5\r\n235,10/16/2020,trump campaign strategy be like this. joebiden,United States of America,Texas,TX,Donald Trump,1,0.2\r\n236,10/16/2020,trump campaign using radio ads to reach christians  via metrovoice trump election2020 radio,United States of America,Missouri,MO,Donald Trump,0,-0.3\r\n237,10/16/2020,trump can't stop complaining about how unfair the debate was because chris wallace wouldn't let him do whatever he wanted.,United States of America,Oregon,OR,Donald Trump,0,-0.8\r\n238,10/16/2020,trump cites barron trump's coronavirus case in arguing for schools to reopen thehill,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n239,10/16/2020,trump claims biden thought he was running for the u.s. senate. let\xe2\x80\x99s go to the tape  vote2020,United States of America,Tennessee,TN,Donald Trump,2,0\r\n240,10/16/2020,trump creates new jobs. specially fact checkers.,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n241,10/16/2020,trump dangerous lies including herd immunity.  trump giving inside info to friends.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n242,10/16/2020,trump defeated the moderator what the heck kind of sick man &amp; sick campaign is this votehimout2020 votebluetoendthisnightmare,United States of America,Massachusetts,MA,Donald Trump,0,-0.8\r\n243,10/16/2020,trump fascism whitelivesmatter whitehouse trump2020landslide trump2020 trumpcrimefamily,United States of America,New York,NY,Donald Trump,2,0\r\n244,10/16/2020,trump fuels range of conspiracytheories with townhall answers  via msnbc news trumplies trumptrainwreck trumpcovid19 qanons trumpisaracist,United States of America,Texas,TX,Donald Trump,2,0\r\n245,10/16/2020,trump has arrived at his miami doral resort after tonight's nbc townhall event per wh pool,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n246,10/16/2020,trump in answer to a question about criminal justice reform has stated he has done more for the african american community than any other president with the exception of abraham lincoln. trump townhall,United States of America,New York,NY,Donald Trump,2,0\r\n247,10/16/2020,trump is far more entertaining than joe. biden is rambling &amp; wonky while trump is up to his usual unrepentant buffoonery. how will he defend a terrible record what scurrilous lies will he tell i want entertainment before he's voted out convicted &amp; sent to jail. townhalls,United States of America,Missouri,MO,Donald Trump,0,-0.3\r\n248,10/16/2020,trump is full of bs when it comes to his rts. townhall,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n249,10/16/2020,trump is not a christian. he knows how to manipulate them. and laughs. texas dfw houston,United States of America,Texas,TX,Donald Trump,1,0.1\r\n250,10/16/2020,trump is out here saying he doesn\xe2\x80\x99t wanna say anything to influence a justice barrett on how to rule on roe v. wade like he didn\xe2\x80\x99t tweet threats to a federal judge and intimidate like four witnesses on the flight over. trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n251,10/16/2020,trump is so handsome when he smiles \xf0\x9f\x98\xac\xf0\x9f\x98\x82 trumpsmile trumptownhall trumptownhall paulettedale paulette2020 trumpisalaughingstock donaldtrumptownhall crazyuncletrump,United States of America,New York,NY,Donald Trump,1,0.9\r\n252,10/16/2020,trump is such a trashy moron. trump is what would happen if you gave a tasteless idiot a half a billion dollars. he\xe2\x80\x99s just bumbling around making a mess of the world like some sort of living breathing social roomba. his existence is a case to eliminate wealth inheritance. trump,United States of America,California,CA,Donald Trump,0,-0.5\r\n253,10/16/2020,trump just lies. that's all he does. he simply lies about every single thing. townhall trump,United States of America,California,CA,Donald Trump,0,-0.5\r\n254,10/16/2020,trump looked defeated.,United States of America,Michigan,MI,Donald Trump,0,-0.5\r\n255,10/16/2020,trump on nbcnews is having add free attacks on everything that is symbol of moral science and good citizenship from doctorfauci to every citizen that wear a mask or protect himself and others from covid19 nbcistrumpsaccomplice nbcnewsisasellout,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n256,10/16/2020,trump our covid recs aren\xe2\x80\x99t all or none. you can be out with people and be responsible by wearing masks/social distancing. we aren\xe2\x80\x99t saying to lock yourself in a bubble we are saying to go out and live your lives but do so responsibly and minimize your risk as much as possible,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n257,10/16/2020,trump possibly i did possibly i didn\xe2\x80\x99t.,United States of America,Oregon,OR,Donald Trump,0,-0.4\r\n258,10/16/2020,trump probably caused it jesseleesoffer imthomasgibson daminoshow danrather paulstanleylive funder robreiner mmpadellan sophiabush,United States of America,Oklahoma,OK,Donald Trump,0,-0.5\r\n259,10/16/2020,trump probably paid her dumb ass to sit up there constantly shaking her head in agreement,United States of America,Maryland,MD,Donald Trump,0,-0.8\r\n260,10/16/2020,trump racism guliani,United States of America,California,CA,Donald Trump,0,-0.7\r\n261,10/16/2020,trump refuses to say if he was tested for covid-19 before his debate with joe biden,United States of America,California,CA,Donald Trump,0,-0.7\r\n262,10/16/2020,trump releasing a healthcare plan before election2020 and scotus decision on aca is a strategically bad idea. if released before it 1 becomes impossible for the left to consider when aca is still in effect and is an attack target for the left's election campaigns. 1/2,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n263,10/16/2020,trump repeatedly refused to condemn qanon and said he agreed with part of the far-right conspiracy movement during his nbc town hall..trump..gop..qanon..whitenationalism,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n264,10/16/2020,trump repeats false claim biden gets answers to questions from teleprompter \xe2\x80\x98he\xe2\x80\x99s reading them off the computer\xe2\x80\x99..trump..gop..elections..,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n265,10/16/2020,trump reveals new details about his covid symptoms testing  via msnbc news trumplies trumptrainwreck trumpcovid19 covid\xe3\x83\xbc19 covid__19,United States of America,Texas,TX,Donald Trump,1,0.1\r\n266,10/16/2020,trump saying immigrants have to come in based on merit. not exactly sure how melania's parents qualified.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n267,10/16/2020,trump says he'll accept peaceful transfer 'but i want it to be an honest election' potus trump politicalparties,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n268,10/16/2020,trump says \xe2\x80\x98i\xe2\x80\x99m ready to sign a big beautiful stimulus\xe2\x80\x99 \xe2\x80\x94 but many americans don\xe2\x80\x99t appear to be banking on it trump political politicalparties,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n269,10/16/2020,trump seized large victories four years ago in areas where coal plants had closed. but the industry's collapse accelerated under his presidency making counties in pennsylvania and other states more competitive. climate eenewsupdates,United States of America,Montana,MT,Donald Trump,0,-0.2\r\n270,10/16/2020,trump still lying about his taxreturns. he is never going to release them because there's some shady ass shit in there. he is a liar. trumptaxes trumptownhall,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n271,10/16/2020,trump supporters just don\xe2\x80\x99t get why others don\xe2\x80\x99t like him. democrats don\xe2\x80\x99t understand why people support him. we all need some understanding. biden trump democrats republicans,United States of America,Tennessee,TN,Donald Trump,0,-0.4\r\n272,10/16/2020,trump supporters watching the townhall meeting and upset it wasn\xe2\x80\x99t as entertaining as the apprentice season finales \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82  savannahguthrie,United States of America,California,CA,Donald Trump,0,-0.7\r\n273,10/16/2020,trump takes the first local question 20 minutes into the debate. townhall,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n274,10/16/2020,trump taking aim at a republican senator who is facing a tough re-election fight on november 3rd in maine - senate republicans are increasingly worried that their majority could be in jeopardy on november 3rd election2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n275,10/16/2020,trump the compulsive cheater is a unapologetic bully.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n276,10/16/2020,trump the racist and misogynist.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n277,10/16/2020,trump time for you to come up with about $200 million if you want to win this election. stick to your original guns and promises. show americans how much you believe in them and yourself.,United States of America,California,CA,Donald Trump,0,-0.3\r\n278,10/16/2020,trump townhall lies fact checked qanon; biden tax increase; health-insurance preexistingcondition; economy.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n279,10/16/2020,trump tries to just blast through questions like an out of control fire hose- trying to get in as many lies as possible before moderator does some reality checking. trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n280,10/16/2020,trump turned down a real presidentialdebate saying what\xe2\x80\x99s point yet he opted to do a dueling townhalls ...  which is worse than pixel glass divider ... trumpislosing,United States of America,New York,NY,Donald Trump,0,-0.2\r\n281,10/16/2020,trump \xe2\x80\x9chas repeatedly held gatherings not only in defiance of public hlth guidelines but seemingly to spite them downplaying the threat of covid19eschewing basic public hlth principles like wearing face coverings&amp; packing supporters shoulder to shoulder for political optics.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n282,10/16/2020,trump \xe2\x80\x9ci think this election is the most important in our country\xe2\x80\x99s history.\xe2\x80\x9d um hell yes it\xe2\x80\x99s time to install a competent leader to get back our health\xe2\x80\x94physically mentally and economically. joebidentownhall bidentownhall byetrump election bidenharris2020,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n283,10/16/2020,trump's covid19 red wave alright \xf0\x9f\x91\x87\xf0\x9f\x9a\xa8\xf0\x9f\x87\xb5\xf0\x9f\x87\xb7\xf0\x9f\x91\x8c,United States of America,California,CA,Donald Trump,1,0.1\r\n284,10/16/2020,trump's economy.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n285,10/16/2020,trump's immigration policy has been an absolute disaster and this in itself is a total lie. he has fought to dismantle daca since day one long before the pandemic. using covid as cover to excuse his efforts to destroy the program and hurt dreamers is beyond misleading.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n286,10/16/2020,trump's macho bravado is an embarrassment. yet it puts us all in danger | francine prose \xe2\x80\x94\xe2\x80\x94&gt;,United States of America,Ohio,OH,Donald Trump,0,-0.8\r\n287,10/16/2020,trump's youngest son barron had covid-19 now tests negative trump potus whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n288,10/16/2020,trumpdementia trump is a racist racisttrump,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n289,10/16/2020,trumphasnoplan trumpkilledyourlovedone trumpknewanddidnothing trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n290,10/16/2020,trumpmoron trumpvirus trumpistoblame trump realdonaldtrump trumpknewanddidnothing,United States of America,California,CA,Donald Trump,2,0\r\n291,10/16/2020,trumpsupporters you will never hear trump say this. \xf0\x9f\x91\x87,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n292,10/16/2020,trumptownhall i watched a few minutes of trump making empty promises &amp; saying how he saved 2 million lives from coronavirus &amp; the guy is just living in an alternate reality created just for him courtesy of foxnews breitbart &amp; other such shady entities. covid__19 biden,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n293,10/16/2020,trumptownhall is now moving briskly audience questions are good and trump is hitting the points he seeks to make. it has actually become watchable. trumptownhall,United States of America,Texas,TX,Donald Trump,1,0.1\r\n294,10/16/2020,trumptownhall trump,United States of America,New York,NY,Donald Trump,2,0\r\n295,10/16/2020,trumpturd trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n296,10/16/2020,trump\xe2\x80\x99s cabinet trying to enact new regulatory. rules affecting millions. nyt trump election,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n297,10/16/2020,tucsonairport senmcsallyaz she\xe2\x80\x99s so proud of her daddy trump,United States of America,Arizona,AZ,Donald Trump,1,0.6\r\n298,10/16/2020,two of the most worthless men ever...trump and mcturtle,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n299,10/16/2020,tx crime syndicate gregabbott_tx johncornyn dancrenshawtx chiproytx kenpaxtontx sentedcruz danpatrick texasgop covid19 covid19tx coronavirus trump profitsoverpeople tx vote4 mjhegar wendydavis simafortx joebiden texasdemocrats voteearly mjhegar wendydavis,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n300,10/16/2020,typical trump supporter reasoning. trumpisnotamerica,United States of America,Florida,FL,Donald Trump,2,0\r\n301,10/16/2020,u know i get ice cube we know who trump is he plays to his base but gas prices been down interest rates way down it gives everyone a chance to save $ invest buyreal estate create real wealth while dems outsource everything to foreign nations facts foxnews nbcnews,United States of America,New York,NY,Donald Trump,0,-0.5\r\n302,10/16/2020,umich sentiment improves survey finds slight advantage for trump among independents political whitehouse trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n303,10/16/2020,usa must vote for bidenharris2020 to end trump reignofterror,United States of America,New York,NY,Donald Trump,0,-0.1\r\n304,10/16/2020,via joshtpm the complicit start to turn on the president  | politics trump elections,United States of America,New York,NY,Donald Trump,0,-0.3\r\n305,10/16/2020,via newcivilrights \xe2\x80\x98idiot has the nuclear codes\xe2\x80\x99 trump mocked for promoting satire site\xe2\x80\x99s story twitter crashed itself to help biden  | civilrights lgbtq trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n306,10/16/2020,via rawstory combative trump insists pandemic almost over biden says he did \xe2\x80\x98nothing\xe2\x80\x99  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n307,10/16/2020,via rawstory naral calls for democrats to replace feinstein as senate judiciary leader after her praise for lindsey graham  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.3\r\n308,10/16/2020,via rawstory topics for final presidential debate announced and boy will donald trump be in trouble  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.5\r\n309,10/16/2020,via rawstory \xe2\x80\x98is this for real\xe2\x80\x99 melania trump\xe2\x80\x99s \xe2\x80\x98aggrieved and self-pitying\xe2\x80\x99 white house blog blows up in her face  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.6\r\n310,10/16/2020,via tpm exclusive ross commits to protocols that make it harder for trump to mess with census  | trump politics election2020,United States of America,New York,NY,Donald Trump,0,-0.8\r\n311,10/16/2020,via tpm here\xe2\x80\x99s where the president got his latest dumb anti-mask talking point  | trump politics election2020,United States of America,New York,NY,Donald Trump,0,-0.8\r\n312,10/16/2020,via tpm ross vaguely promises to make census data public when he sends it to white house  | trump politics election2020,United States of America,New York,NY,Donald Trump,0,-0.7\r\n313,10/16/2020,via tpm scotus set to weigh trump census power grab before inauguration  | trump politics election2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n314,10/16/2020,via tpm trump shares satirical story about biden as fact  | trump politics election2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n315,10/16/2020,vincent23421 ilhanmn horrific your the same person who loses sleep cause trump is your president,United States of America,Michigan,MI,Donald Trump,0,-0.9\r\n316,10/16/2020,w_terrence unprofessional savannahguthrie towards realdonaldtrump &amp; not asking \xe2\x80\x99s but loudy attacking. no moderator should conduct themselves in that way. she 110% should have stayed out of the conversations w/ the people asking trump \xe2\x80\x99s. absolutely had no respect for them at all.,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n317,10/16/2020,wait until tomorrow when trump says of guthrie you could see there was blood coming out of her eyes...blood coming out of her wherever.,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n318,10/16/2020,wait you mean to tell me not 1 question about antifa for joebiden but realdonaldtrump had to denounce white supremacy &amp; the kkk for the millionth time all while savannahguthrie thought she was running for potus and in the middle of a debate what a joke trump trump2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n319,10/16/2020,wait....whaaaaat trump,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n320,10/16/2020,watch live atlanta news update 3breaking news weather gawx alwx blm election vote trump protest riots biden covid19 coronavirus,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n321,10/16/2020,watch live biden event in mi election vote trump biden blm covid covid19 coronavirus gawx alwx atlweather atltraffic wx severe tornado tropics hurricane,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n322,10/16/2020,watch live maga rally in macon ga breaking news america world election vote2020 trump biden blm covid covid19 coronavirus alwx gawx atltraffic tornado severe tropics hurricane coronavirus flu,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n323,10/16/2020,watch mein neues ntvde teleboerse rtlgroup live interview \xe2\x80\x9egezerre um us-konjunkturpaket ist sehr gef\xc3\xa4hrlich trump coronavirus covid19  wirtschaft finanzen business konjunktur politik usa us wahlen wallstreet biden wieticktamerika,United States of America,New York,NY,Donald Trump,0,-0.4\r\n324,10/16/2020,watched both town halls for a second. trump lied saying daca wasn't the dreamers program. joe answered a question thoughtfully.,United States of America,New Jersey,NJ,Donald Trump,2,0\r\n325,10/16/2020,watching biden townhall rather than koolaid crybaby trump,United States of America,Florida,FL,Donald Trump,2,0\r\n326,10/16/2020,watching both debates. joebidentownhall has strategies &amp; calm. trump is hyper lying &amp; weird. no leader  votebidenharris2020,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n327,10/16/2020,watching drumpf makes me sick. this racist bigot needs to go joebiden is was less racist than trump,United States of America,Oregon,OR,Donald Trump,0,-0.8\r\n328,10/16/2020,watching the issues-driven bidentownhall while following the trump show on twitter the sexist right-wing comments about susannah guthrie are...eye-opening.,United States of America,Ohio,OH,Donald Trump,0,-0.6\r\n329,10/16/2020,we could all use some joy right now right takeabreak from the news from the world on fire around us from covid-19 from trump and biden to smile and dance today. watch like share subscribe...and keepondancing thanks ashleydkelley,United States of America,New York,NY,Donald Trump,1,0.5\r\n330,10/16/2020,we need trump to continue to bring manufacturing back to the usa,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n331,10/16/2020,well. i guess hyperbole is the word of the night for the trump event. meanwhile biden talking abt the need for more psychologists on police calls.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n332,10/16/2020,we\xe2\x80\x99re so going to vote you out \xf0\x9f\x97\xb3\xf0\x9f\x92\x99 flipthesenate trump,United States of America,California,CA,Donald Trump,0,-0.3\r\n333,10/16/2020,what a bizarre comparison.  god bless sarahpalin for providing genuine conservatism to the mccain ticket. but she was not ready for prime time. trump is the bold change we\xe2\x80\x99ve needed for generations; if he loses it means the country was sadly not ready.,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n334,10/16/2020,what type of voter are you in 2020 biden trump vote trumpvsbiden retweet for more votes. 16 is 2016 as in who you voted for that year 20 is 2020 who you are voting this election,United States of America,Iowa,IA,Donald Trump,0,-0.1\r\n335,10/16/2020,when trump lies or misrepresents he says that's what i hear.  as if his authority alone makes it true.  trump's a total bs artist. voters must see through the bs.,United States of America,California,CA,Donald Trump,0,-0.2\r\n336,10/16/2020,whitehouse realdonaldtrump interesting all this happened out of thin air in just hours. usual trump lie,United States of America,California,CA,Donald Trump,2,0\r\n337,10/16/2020,who are you voting for  \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trump biden murphy,United States of America,New York,NY,Donald Trump,0,-0.2\r\n338,10/16/2020,who does dumps hair trumpcrimefamily trumpisnotwell trumpisalaughingstock donaldtrump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n339,10/16/2020,who does trump  owe hundreds of millions of dollars to   via voxdotcom  realdonaldtrump realjameswoods trumpcrimefamily,United States of America,New York,NY,Donald Trump,0,-0.6\r\n340,10/16/2020,who else couldn\xe2\x80\x99t stand the annoying nodding chick to the right of trump at oct 15th\xe2\x80\x99s trump town hall on nbc  what are the odds that she sits in that exact spot i think she was planted and paidbobblehead notundecided trumptownhall trump planted findher nbc nbctownhall,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n341,10/16/2020,who is this black woman nodding her head at everything trump is saying,United States of America,New York,NY,Donald Trump,0,-0.7\r\n342,10/16/2020,who is trump indebted to more than $400 million. here\xe2\x80\x99s my thoughts. russia saudiarabia  turkey egypt just a few trumpcrimefamily,United States of America,Texas,TX,Donald Trump,2,0\r\n343,10/16/2020,who looks like the healthier candidate trump or biden,United States of America,New York,NY,Donald Trump,2,0\r\n344,10/16/2020,who's going to tell the president that babylon bee is fake news \xf0\x9f\xa4\x94 babylonbee trumpisnotwell trump accountabilityofmedia,United States of America,Massachusetts,MA,Donald Trump,0,-0.9\r\n345,10/16/2020,whoa. trump covid19pandemic,United States of America,Indiana,IN,Donald Trump,1,0.1\r\n346,10/16/2020,whoever thought this would be an insult doesn't know how awesome mr. rogers was bidentownhall trumptownhall trump biden,United States of America,Georgia,GA,Donald Trump,1,0.4\r\n347,10/16/2020,why don't these former trump officials have the balls to say these things in public johnkelly trumpisanationaldisgrace votehimout votetrumpout,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n348,10/16/2020,woman with red glasses telling trump how  handsome he is snl bit telling trump her family came from poland and russia. he tells her how great that is.,United States of America,New York,NY,Donald Trump,1,0.6\r\n349,10/16/2020,wosrin if i could i would ship trump to saint helena island in the south atlantic where napoleon spent his last years.  trumpcrimefamily bluehour,United States of America,Texas,TX,Donald Trump,1,0.1\r\n350,10/16/2020,wouldn\xe2\x80\x99t it be nice if donaldtrump actually had a plan to keep healthcare affordable to protect socialsecurity and fight the covid-19 trump has no coronavirus plan no health plan in 4 years &amp; he\xe2\x80\x99s in court to take away preexistingconditions coverage.  wake up maga.,United States of America,California,CA,Donald Trump,0,-0.4\r\n351,10/16/2020,wow  538 now puts traitortrump 's chance of winning the 20201 election as 12 out of 100. anyone else also think that trump will resign votebluedownballot,United States of America,Texas,TX,Donald Trump,2,0\r\n352,10/16/2020,wow is this sad.  being a trump kid must be crushing.,United States of America,California,CA,Donald Trump,0,-0.8\r\n353,10/16/2020,wow. trump is really pushing the laptop bs and says it's being covered up by the media. dude is *desperate*.,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n354,10/16/2020,wrsocially breaking911 unfortunately this young man bought into the 5-second gop sound byte &amp; not the 18-minute interview with a demanding black journalist that trump would never even sit down with let alone answer any tough questions.,United States of America,California,CA,Donald Trump,0,-0.8\r\n355,10/16/2020,wtf cnn airing live trump propaganda bullshit. a**holes,United States of America,California,CA,Donald Trump,0,-0.8\r\n356,10/16/2020,wvjoe911 i hope they throw book at her. so tired of trump maskholes,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n357,10/16/2020,yahoo trump dance 2020 ymca ymca trump2020 trumpdance trump godbl...  via realdavidqiu,United States of America,New York,NY,Donald Trump,2,0\r\n358,10/16/2020,yamiche yeah biden is a good publicist...he provides an answer with the rationale logic behind it while trump tells people what they want to hear,United States of America,Nevada,NV,Donald Trump,1,0.5\r\n359,10/16/2020,your 3rd party or write-in vote is a vote for trump in both blue and red states democracy cannot withstand your purity tests this year. nor can the nations health. 215000+ americans are dead and many more will die. voteblue votebidenharris2020 bidenharris2020tosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.5\r\n360,10/16/2020,y\xe2\x80\x99all thought 2020 was messed up \xf0\x9f\x98\x82 november3rd biden trump,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n361,10/16/2020,\xe2\x80\x9calways protecting people with pre-existing conditions\xe2\x80\x9d not true. his administration is in court trying to destroy the aca and trump has never provided any info about his so-called alternative plan. it doesn\xe2\x80\x99t exist. according to maggie astor ny times  trump said \xe2\x80\x98i\xe2\x80\x99m good,United States of America,Maryland,MD,Donald Trump,0,-0.4\r\n362,10/16/2020,\xe2\x80\x9cit\xe2\x80\x99s very straight\xe2\x80\x9d trump says trying to reassure us about who he owes $400 million to. \xe2\x80\x9ci don\xe2\x80\x99t owe money to any of these sinister people.\xe2\x80\x9d tell us who the the people are. we will decide who is or is not sinister. thank you.,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n363,10/16/2020,\xe2\x80\x9ci\xe2\x80\x99ll put it out there\xe2\x80\x9d donaldtrump does not care if he spreads misinformation on twitter i hate this man so much  speaking in miami on thursday night. \xf0\x9f\xa4\xac order your copies of my new memoir at,United States of America,California,CA,Donald Trump,0,-0.4\r\n364,10/16/2020,\xe2\x80\x9cprivileged\xe2\x80\x9d care with trump virus.....from er nurse,United States of America,Illinois,IL,Donald Trump,2,0\r\n365,10/16/2020,\xe2\x80\x9cthe whole ballgame changed when i saw how they treated justice kavanaugh\xe2\x80\x9d donald trump justifying to savannah guthrie why he is pushing his justice through now so close to the election amycomeybarrett donaldtrump townhall,United States of America,Minnesota,MN,Donald Trump,0,-0.6\r\n366,10/16/2020,\xe2\x80\x9cwe are staring down the barrel of a bluetsunami\xe2\x80\x9d  sasse/nebraska retrump \xe2\x80\x9cdeficient\xe2\x80\x9d values mistreats women alienates our allies around the globe been a profligate spender of our $$$$$$ ignored human rights across the globe &amp; treats greatpandemic like a \xe2\x80\x9cp.r. crisis.\xe2\x80\x9d,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n367,10/16/2020,\xe2\x80\x9cwe\xe2\x80\x99ve had no borders.  we rebuilt the military.\xe2\x80\x9d -donald trump screaming at his twin hall.  these are lies and complete insane fabrications. ramblings of a meth user. donaldtrump insane makingstuffup,United States of America,California,CA,Donald Trump,0,-0.2\r\n368,10/16/2020,\xe2\x80\x9cyou are a traitor to the white race\xe2\x80\x9d said a donaldtrump supporter at the rally to a group of joebiden supporters. \xe2\x80\x9cyou are shameful.\xe2\x80\x9d election2020,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n369,10/16/2020,\xe2\x80\x9cyou\xe2\x80\x99re the president not someone\xe2\x80\x99s crazy uncle.\xe2\x80\x9d \xf0\x9f\xa4\xa3 -savannah guthrie in regard to his inaccurate tweeting  townhall debates2020 trump savannahguthrie,United States of America,California,CA,Donald Trump,0,-0.7\r\n370,10/16/2020,\xf0\x9f\x93\xa3 new podcast episode 63 - hip hop and the 2020 election on spreaker absenteeballot biden boogiedownproductions hiphop krs_one publicenemy rap suppression trump voteordie voting x_clan yellowpain,United States of America,Kentucky,KY,Donald Trump,2,0\r\n371,10/16/2020,\xf0\x9f\x98\x80\xf0\x9f\x91\x8d\xf0\x9f\x91\x89\xf0\x9f\x99\x8f\xf0\x9f\x99\x8f\xf0\x9f\x99\x8fmelania trump tras recuperarse oro por todos los que luchan contra el covid-19  noticiascristianas melaniatrump donaldtrump covid19 coronavirus oracion eeuu,United States of America,Texas,TX,Donald Trump,1,0.3\r\n372,10/17/2020,joebiden trump biden maga berniesanders election donaldtrump vote democrats kamalaharris politics voteblue democrat blacklivesmatter usa republican covid bidenharris bernie blm coronavirus america kag conservative obama dumptrump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n373,10/17/2020,'america is tired of the trump show'..trump...gop,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n374,10/17/2020,... same in a foxnews poll from this month that has trump ahead of biden 49/38 among registered voters guessing if their neighbors are voting for joe biden or donald trump in the 2020election.,United States of America,Wisconsin,WI,Donald Trump,0,-0.3\r\n375,10/17/2020,...2 the songs his campaign uses they're exactly the opposite of what hes campaigning on. \xf0\x9f\x98\x92 like.all of them.  trump fortunateson vote,United States of America,Oregon,OR,Donald Trump,2,0\r\n376,10/17/2020,...to russia\xe2\x80\xbc\xef\xb8\x8f trumptribunals trumpthehague trumprussianextradition trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n377,10/17/2020,.iamlindseyg-icecube's plan has 13 solid points... trump's platinum plan is vague... we have biden  saying we'll get to it later. i understand why people are frustrated. to me other than coronavirus black lives are the most important thing in this election amjoy,United States of America,New York,NY,Donald Trump,0,-0.2\r\n378,10/17/2020,.joebiden showed loving  concern for hunter his troubled damaged son in emails cruelly surfaced by nypost trump\xe2\x80\x99s campaign and putin\xe2\x80\x99s hackers. their scheme will backfire. putrid viciousness stands in contrast to unconditional love; a good father\xe2\x80\x99s decency will triumph.,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n379,10/17/2020,.realdonaldtrump we will not let you down sir \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 maga2020landslidevictory 4moreyears americafirst fourmoreyears america trump blackvoicesfortrump barackobama rt biden kamala,United States of America,Iowa,IA,Donald Trump,1,0.6\r\n380,10/17/2020,1/ john kelly called trump 'the most flawed person' he's ever met report  drumpf the depths of his dishonesty is just astounding to me...,United States of America,North Carolina,NC,Donald Trump,0,-0.8\r\n381,10/17/2020,2 wks after the fbi stopped a domestic terrorist plan to kidnap and kill the gov. of michigan trump prompts chant at rally- \xe2\x80\x9clock her up\xe2\x80\x9d; \xe2\x80\x9cher\xe2\x80\x9d being the victim dumptrump trumpisaracist blm blacklivesmatter trumpriots trumpisanationaldisgrace votehimout2020 trump2020,United States of America,Oregon,OR,Donald Trump,0,-0.6\r\n382,10/17/2020,a look at all of donaldtrump's properties,United States of America,Washington,WA,Donald Trump,2,0\r\n383,10/17/2020,a new article claims trump owes at least $1 billion in debt. if true the 74 year-old businessman would be the first forbes 400 list member to also be on the 2020 o.d.b.'s gimmie my money \xf0\x9f\x92\xaf,United States of America,California,CA,Donald Trump,0,-0.2\r\n384,10/17/2020,a picture\xe2\x80\x99s worth a thousand words. and a man\xe2\x80\x99s insecurities speak volumes too. trump \xe2\x81\xa6realdonaldtrump\xe2\x81\xa9,United States of America,Colorado,CO,Donald Trump,1,0.2\r\n385,10/17/2020,a protestor in a trump shirt gets knocked down and pepper sprayed at a protest in san francisco  trump protest,United States of America,California,CA,Donald Trump,0,-0.6\r\n386,10/17/2020,ad_gent2012 therickydavila here\xe2\x80\x99s where the humanity went. trump is a sociopath they have an inherent mesmerizing effect; if someone is drawn to them the hook sinks in. then the influence of the sociopath brings out a similar evil from those around him or supporting him.,United States of America,California,CA,Donald Trump,2,0\r\n387,10/17/2020,adamwelles gopchairwoman trump promised to eat all the babies  just as true....,United States of America,Washington,WA,Donald Trump,1,0.5\r\n388,10/17/2020,after a tumultuous first term }trump has seen his support erode across the country even in deeply conservative rural areas that have been a bedrock of his support and he is racing to stem any lasting damage. his margins at the polls are narrowing...,United States of America,New York,NY,Donald Trump,2,0\r\n389,10/17/2020,after he loses and no longer has presidential immunity  trump can find an orange jumpsuit that matches his hair,United States of America,Massachusetts,MA,Donald Trump,0,-0.7\r\n390,10/17/2020,alexander vindman wife rachel says trump threatened family,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n391,10/17/2020,all realdonaldtrump does is about himself. this might make him believe that californians will see him as a hero and vote for him. he doesn't do it out of kindness or care. he only cares about himself trump california californiafires trumpisacoward liarinchief vote,United States of America,California,CA,Donald Trump,0,-0.7\r\n392,10/17/2020,also those who have been accused of rape and under investigation for federal felonies should not be allowed to run how did this clown get on the ticket gop chose trump long ago to do their bidding.,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n393,10/17/2020,americans landslide trump like jacindaardern,United States of America,Washington,WA,Donald Trump,1,0.1\r\n394,10/17/2020,americasgreatestmistake trump realdonaldtrump donthecon,United States of America,California,CA,Donald Trump,2,0\r\n395,10/17/2020,an3ita5 stevemnuchin is letting trump spend the fcvk out of our treasury auditmnuchin audittrumpfakepresidencyspending trumptreasuryaccount,United States of America,California,CA,Donald Trump,0,-0.4\r\n396,10/17/2020,and trump confused his 2nd campaign manager rickgates with wackadoodle mattgaetz so which one should be behind bars,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n397,10/17/2020,andrewfeinberg wsj joebiden biden bought a house worth just over 4x his then salary - which was guaranteed for the next few years - &amp; even if he stopped being a senator his job prospects were pretty good. i bet any bank would have given him a mortgage another experience a trump might not understand.,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n398,10/17/2020,andyokuneff dni_ratcliffe fbidirectorwray marcorubio and you don't think that happens every weekend at margo largo with donaldtrump  who are these people meeting the potus in this family run business.  i am just curious what's the difference  you don't think any businessman ever thanked eric trump for meeting trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n399,10/17/2020,angrierwhstaff trump is likely referring to the russians \xf0\x9f\x98\xa1 putinownstrump putinsgop gopbetrayedamerica gopsuperspreaders are killing us not heard to realize who is behind this \xf0\x9f\xa4\x94 putinspuppets russianbountiesonourtroops russiandisinformation 25thamendmentnow,United States of America,California,CA,Donald Trump,0,-0.7\r\n400,10/17/2020,any association with trump is an indeliblestigma any criticisms protests laments or other attempts to distance oneself from anything related to him his administration family cohorts policies statements products or properties are futile.,United States of America,Massachusetts,MA,Donald Trump,0,-0.7\r\n401,10/17/2020,armor_10 mdnij34 those must be the trump bogus ballots floating in the river.....  trump=exhaustion.,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n402,10/17/2020,arrest trump. charge him with crimes before he tries to flee the country,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n403,10/17/2020,as a dad with two daughters... this is what my wife and i have been saying. kids see this... they take it in. trump\xe2\x80\x99s a disgrace a stain on the nation and the office. he needs to go.  voteforher vote vote biden,United States of America,New York,NY,Donald Trump,0,-0.1\r\n404,10/17/2020,as long as news reports say that black &amp; hispanic people are hospitalized &amp; dying from coronavirus at higher rates than other people in america trump will continue to view this pandemic as a convenient genocide. he doesn't care if brown bodies perish covid19,United States of America,New York,NY,Donald Trump,0,-0.8\r\n405,10/17/2020,aside from the fact that trump's retweeting that osama bin ladin was not taken out by seal team 6 is just bat sh1t crazy the secretary of defense at the time was robert gates who is a republican.,United States of America,California,CA,Donald Trump,0,-0.6\r\n406,10/17/2020,at some point republicans will realize that this potus destroyed their party my former party and so much of what their party had stood for. if gop loses more senate seats there will be mainly one person to blame trump.  at least sasse sees this. wake up gop,United States of America,Alabama,AL,Donald Trump,0,-0.4\r\n407,10/17/2020,augustus709 icecube benbartlettberk did gavinnewsom cut deal w trump &amp;leanon agbecerra 2not bust ocgop lagop fresnogop+sfgop 4 defying fakeballotboxes order topcop kamalaharris&amp; confederateflagfeinstein senfeinstein whereu posseup berkeleyantifa theofficialgra3 naaga,United States of America,California,CA,Donald Trump,0,-0.3\r\n408,10/17/2020,aynrandpaulryan realdonaldtrump yes. trump is a liar. he is a sociopath,United States of America,California,CA,Donald Trump,1,0.1\r\n409,10/17/2020,backtheblue another vote for trump patriotsunited,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n410,10/17/2020,behaviorizing votethemallout vote trump biden covid19 votehimout,United States of America,California,CA,Donald Trump,2,0\r\n411,10/17/2020,berserk is on cable &amp; it's a good metaphor for the trumpderangementsyndrome that a lot of democrats are suffering from now imagining that any criticism of joebiden will result in donaldtrump's re-election; we need to think more rationally &amp; objectively about this election~,United States of America,New York,NY,Donald Trump,0,-0.4\r\n412,10/17/2020,besthealthyou iq somewhere around 156 i believe. trump,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n413,10/17/2020,biden latest lie blows up in his face  biden trump,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n414,10/17/2020,bidenwontheratings trump realdonaldtrump flushtheturdnov3rd bidenharris2020,United States of America,California,CA,Donald Trump,2,0\r\n415,10/17/2020,billkristol will trump follow the same road as thecambridgefive from the uk in the 1950's,United States of America,California,CA,Donald Trump,2,0\r\n416,10/17/2020,blametrump trumpistoblame trumpkilledyourlovedone trumpkilledhermancain trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n417,10/17/2020,but then trump said in the debate with joebiden that there had never been a problem with covid at his maskless rallies thus denying that hermancain ever existed,United States of America,Washington,WA,Donald Trump,0,-0.4\r\n418,10/17/2020,byedonald trump said that if he doesn't win election2020 he may leave the unitedstates. well if that isn't more of a reason to vote for joebiden i don't know what it is when trump loses the election i hope he takes his supporters with him. joebidenforpresident,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n419,10/17/2020,c0nspiracyfacts saracarterdc and this is from a potus who says he is totally fine with spreading misinformation.  he said that in the townhall. not saying joebiden is an irish saint - but the guy throwing the stone is doing all he is accusing right infront your face  maga donaldtrump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n420,10/17/2020,c0nspiracyfacts saracarterdc exactly  even if the emails are true its just innuendos. we see people meeting trump - who pays the trump family to see him.  true or false hunterbidenlaptop hunterbiden seems smart to me.,United States of America,New York,NY,Donald Trump,1,0.1\r\n421,10/17/2020,can snl hurry up and make fun of this ymca/trump dancing stuff we all know it's the only way he'll stop.,United States of America,Oregon,OR,Donald Trump,0,-0.8\r\n422,10/17/2020,cause hes not a scumbag like trump and co are...speaking of scumbags how are you doing today,United States of America,Colorado,CO,Donald Trump,0,-0.4\r\n423,10/17/2020,china's zte path back into business with usa with help from dc lobbyist group. former trump campaign adviser and eric branstad son of the ex us ambassador to china involved in effort.   by marahvistendahl lhfang,United States of America,Oregon,OR,Donald Trump,2,0\r\n424,10/17/2020,cnn at the end of the day trump use icecube like he use all other black men in the black community. trump is a con man and he has con ice cube. understand biden can do anything unless he wins. the senate has to turn blue. \xe2\x80\x9ctoday was a sad day\xe2\x80\x9d,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n425,10/17/2020,cnn msnbc nbc abc cbs theview biden trump,United States of America,Ohio,OH,Donald Trump,2,0\r\n426,10/17/2020,cnn white supremacist allies of trump are undermining his campaign in the waning weeks before the election. the president\xe2\x80\x99s attachment to extremists and thugs has alienated most voters. the gop is in a suicide mission tied the the toxic mast of a radical trump agenda,United States of America,California,CA,Donald Trump,0,-0.8\r\n427,10/17/2020,cnnpolitics democracynow vicenews foxnews msnbc maybe you should talking about this trump kkk racism whitenationalism janesville just google it,United States of America,California,CA,Donald Trump,0,-0.8\r\n428,10/17/2020,come sunday before futures open i bet nancypelosi and trump say a fiscal deal is almost ready \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 $es $spy $qqq $amzn aapl etc,United States of America,California,CA,Donald Trump,0,-0.5\r\n429,10/17/2020,constitutionalamendment we need a new amendment to the constitution that states that if a president is impeached they should be removed from office. imagine if that were in place today we could have avoided a lot of the bs that is donald trump\xe2\x80\x98s presidency.,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n430,10/17/2020,corruption biden trump hunterbiden censored censorship censorshipisreal twittercensorship bigt,United States of America,California,CA,Donald Trump,0,-0.8\r\n431,10/17/2020,counting the days til i don't have to see the names &amp; faces of these horrible people in my news feeds  moscowmitch lindsey graham ladyg entire trump family susancollins gymjordan rudycolludy pompeo kayleighmcenany gaetzgottago barr bye bitches votethemallout \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Donald Trump,0,-0.7\r\n432,10/17/2020,covid-19 live updates trump heads to wisconsin for rally amid state's worst outbreak - the new york times political government trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n433,10/17/2020,covid19 as far as the eyes can see\xf0\x9f\x91\x80 trumpseaofcovid blametrump trumptheborisjohnsonofamerica erictrumpunwanted trump realdonaldtrump erictrump,United States of America,California,CA,Donald Trump,1,0.1\r\n434,10/17/2020,crossbarhockey yesnicksearcy ion_rat warroompandemic gatewaypundit rudygiuliani well if someone is that dumb to pay millions to rub shoulders with sleepyjoe - let them i guess.  millionaires and billionaires pay the trump family $$$ to rub shoulders with the potus as maralago every weekend pre covid and that has a better roi.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n435,10/17/2020,curious...i figured he'd be a little to old for trickortreat time 2020vision cnn msnbc foxnews paytoplay vote2020 trump bidenharris2020 pipelivesmatter followthemoney beatchina bidencrimefamily forgodandcountry \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Donald Trump,0,-0.1\r\n436,10/17/2020,dan_dorazio richardmarx you've got it wrong. richard's not a trump supporter.,United States of America,California,CA,Donald Trump,0,-0.7\r\n437,10/17/2020,dang trump is back to back daily with these rallies. he is really trying to be a superspreader isn't he superspreadertrump dumptrump bidenharris trumpisalaughingstock covid19,United States of America,Florida,FL,Donald Trump,2,0\r\n438,10/17/2020,davidaxelrod sykescharlie gop trump has turned the gop against there own values. what is the national debt now gop should be conservative right,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n439,10/17/2020,davidmackau i guarantee he\xe2\x80\x99s looking for a nation without an extradition treaty with the us.  he knows what he\xe2\x80\x99s done.  trump bidenharris2020 taxfraudtrump,United States of America,California,CA,Donald Trump,1,0.3\r\n440,10/17/2020,deannakorondi crossbarhockey yesnicksearcy ion_rat warroompandemic gatewaypundit rudygiuliani research.  don't make me laugh. research where in the web of misinformation  we have a government trump who said during the nbctownhall that he has no problem spreading misinformation even its to do with the usnavy.  that's our head of the government. like saddam hussein,United States of America,New York,NY,Donald Trump,0,-0.2\r\n441,10/17/2020,dear georgia in the past 9 weeks you have added 156000 positive virus cases and 4000 deaths. so yeah it was the perfect time for you to hold a donaldtrump hate rally. i can't wait to see what your numbers are in 2 weeks.,United States of America,Florida,FL,Donald Trump,1,0.2\r\n442,10/17/2020,demilovato saying she doesn't care if her bash trump song commanderinchief...you're like a rapper that just got charged with murder and possession with intent to distribute,United States of America,Georgia,GA,Donald Trump,0,-0.9\r\n443,10/17/2020,despicable and demeaning. worthy of inclusion in an ad by projectlincoln showing trump gop misogyny. not how you win over suburban women.,United States of America,Missouri,MO,Donald Trump,0,-0.4\r\n444,10/17/2020,did donaldtrump just retweeted rickgaetz out of pity \xf0\x9f\x98\x82,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n445,10/17/2020,did trump just insist that the democrats wanted to blow up mt rushmore and were going after the jefferson monument in dc but he outsmarted them yes. yes he did.,United States of America,Oregon,OR,Donald Trump,2,0\r\n446,10/17/2020,diddy please stop \xf0\x9f\x9b\x91 and the hate is coming from democrats remember when you once loved your president \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 try loving him again he\xe2\x80\x99s done so much for our country \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 it\xe2\x80\x99s unfortunate that hollywoods corruption fake news and socialism goes all together. donaldtrump\xf0\x9f\x87\xba\xf0\x9f\x87\xb8realdonaldtrump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n447,10/17/2020,didn't catch everything from trump's town hall today's demdaily has you covered click the link for all of the town hall detials,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n448,10/17/2020,does anyone of ever read the comments in epochtimes if you\xe2\x80\x99re ever looking for a good laugh or just need to find some delusional conspiracytheory whack jobs in a pinch then do yourself a favor &amp; read a few trump go bye bye \xf0\x9f\x91\x8b\xf0\x9f\x8f\xbd bidenharris2020,United States of America,New York,NY,Donald Trump,0,-0.8\r\n449,10/17/2020,doghohm dandac20 asherrue zoedioguardi trump fb,United States of America,Washington,WA,Donald Trump,2,0\r\n450,10/17/2020,dollarlogic nytimes you could say the same thing about trump,United States of America,California,CA,Donald Trump,0,-0.3\r\n451,10/17/2020,donald j. trump the long road to the white house 1980 - 2017  via youtube trump patriot \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x99\x8f\xf0\x9f\x8f\xbb,United States of America,Florida,FL,Donald Trump,2,0\r\n452,10/17/2020,donald trump just can't quit his dangerous friends - cnn politicalparties political trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n453,10/17/2020,donald trumps administration is a fucking cult inception i mean geez cult45 donaldtrump jonestown gop koolaid covid19,United States of America,California,CA,Donald Trump,0,-0.9\r\n454,10/17/2020,donaldjtrumpjr some day when you\xe2\x80\x99re older and wiser you\xe2\x80\x99ll look back and understand that people who live in glass houses shouldn\xe2\x80\x99t throw stones. but alas today is today. trump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n455,10/17/2020,donaldtrump claims to have immunity from covid now. he also claims masks aren't proven to be effective. he's a moron,United States of America,California,CA,Donald Trump,0,-0.9\r\n456,10/17/2020,donaldtrump donaldtrumpjr swingstate democracyisallofus giftideas giftsforher giftsforhim giftsforthem politics townhall joewillleadus thesquad,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n457,10/17/2020,donaldtrump is going to lose the election so bad because people are worn out. he has literally worn the people out by his constant wanting to be the star of the headlines. he will do or say anything to get noticed. everyone just can't take him anymore and his need to be noticed.,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n458,10/17/2020,dont be voting trump,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n459,10/17/2020,donwinslow rolandsmartin if you think this dude is aligned with your views for your community you\xe2\x80\x99re insane. vote sheldonadelson and trump the hell out dumptrump,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n460,10/17/2020,dsupervilleap incredibly disturbing...bodies crammed into that space with a community positivity of over 10% in the midst of a raging pandemic. these people are lemmings hurtling toward a cliff while trump spurs them forward with waivers of course.,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n461,10/17/2020,election2020 president presidentialelection election biden2020 trump2020 bidenharris2020 trump joebiden donaldtrump,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n462,10/17/2020,election2020 removetrump dumptrump2020 trumpisnotamerica saturdaythoughts twitterdown maga trump fucktrump votersuppression america americaortrump,United States of America,California,CA,Donald Trump,2,0\r\n463,10/17/2020,elisestefanik nice message of bi-partisanship. why are you walking away from your 'heroics' during the impeachment trial be proud of your role as partisan hack aren't you proud of how you defended lawless trump ny21 votebluetosaveamerica,United States of America,Minnesota,MN,Donald Trump,2,0\r\n464,10/17/2020,emigrantes de nochistlan apoyan a trump...verg\xc3\xbcenza. nochistlancs,United States of America,California,CA,Donald Trump,2,0\r\n465,10/17/2020,enough of this garbage. trump revulsion from within the ranks is the shared chorus of malcontents who can\xe2\x80\x99t handle his agenda but lack the guts to argue against it so they pivot to irrelevant smears.,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n466,10/17/2020,ericgarland trump realdonaldtrump trumpcorruption,United States of America,California,CA,Donald Trump,2,0\r\n467,10/17/2020,every day another step toward authoritarianism. election2020 trump,United States of America,Maryland,MD,Donald Trump,2,0\r\n468,10/17/2020,explain why trump supporters can\xe2\x80\x99t wait to vote but biden media athletes and the left are all begging their supporters to vote,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n469,10/17/2020,for a second time gov. larryhogan\xc2\xa0 did not vote for president donaldtrump.,United States of America,Maryland,MD,Donald Trump,0,-0.5\r\n470,10/17/2020,foreign policy in a second trump term would be a continuation of the policies of the first,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n471,10/17/2020,fourlessyears of trump,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n472,10/17/2020,frank_n_meems dan_dorazio richardmarx when people stop stating facts &amp; turn to insults they\xe2\x80\x99ve lost the argument. that\xe2\x80\x99s why trump is losing his bombastic words are exhausting he\xe2\x80\x99s had 4 yrs to fix aca soc sec etc. he\xe2\x80\x99s the reason covid19 is spiking &amp; why we\xe2\x80\x99re 1 in deathstrumplied220kdied voteearly,United States of America,Michigan,MI,Donald Trump,0,-0.8\r\n473,10/17/2020,fuck trump trumpisanationaldisgrace votehimout2020 makesomethingbeautiful \xf0\x9f\x92\x99\xf0\x9f\x8c\x8a\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Massachusetts,MA,Donald Trump,0,-0.8\r\n474,10/17/2020,fuckfascists fucktrump antifa trump resist voteblue election2020 protest antifascist,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n475,10/17/2020,fuctupmike no that is actually on tape isn\xe2\x80\x99t it weird when you\xe2\x80\x99re actually being taped doing the crime is ok and no evidence is impeachable. hmm.. \xf0\x9f\xa4\x94fact trump respect truth,United States of America,California,CA,Donald Trump,0,-0.6\r\n476,10/17/2020,genmhayden 750 is also what the carnaval interior decorator from india charged trump,United States of America,Texas,TX,Donald Trump,2,0\r\n477,10/17/2020,genmhayden the medical bills of trump - caused by his own negligence - cost the taxpayer a lot more than the tax he paid.,United States of America,California,CA,Donald Trump,0,-0.8\r\n478,10/17/2020,georgiarepublican senator willfully mispronounces kamala harris' name at trump rally  votehimout2020 votehimoutgeorgia votehimout atlantavotehimout voteearly vote2020,United States of America,Georgia,GA,Donald Trump,2,0\r\n479,10/17/2020,geraldorivera wow geraldo - could you carry any more water for trump if you tried. i remember when you were a real reporter - you have to go back decades.,United States of America,New York,NY,Donald Trump,2,0\r\n480,10/17/2020,goddesssmiling funder lyeniz1 and..  who are all these people donaldtrump is meeting when he goes margo largo..  people paying the family business run by eric trump to wine and dine with the potus. that's whatever they are accusing of hunterbiden multiplied by thousands.  joebidenburisma,United States of America,New York,NY,Donald Trump,0,-0.3\r\n481,10/17/2020,goofybk therickydavila mein trumph \xf0\x9f\x98\x82 \xf0\x9f\x98\x82 brilliant. \xe2\x80\x94 trump an only handle so many points of focus. as a sociopath trump\xe2\x80\x99s mental  capacity and awareness of what\xe2\x80\x99s around him is severely limited.,United States of America,California,CA,Donald Trump,1,0.2\r\n482,10/17/2020,gop realdonaldtrump technique of repeating lies w/o documented facts until they become believed by some people is obnoxious tactic being used by trump &amp; gop.  from the playbook of the most corrupt authoritarian dictators past &amp; present. trumpisanationaldisgrace votebidenharris2020 voteblue,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n483,10/17/2020,gop senator ben sasse steps up to chastise trump for corrupt irresponsible and inhumane behavior.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n484,10/17/2020,gopchairwoman how many traitors does trump have speaking for him. how many are our taxpayers money funding,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n485,10/17/2020,gopchairwoman wow really do 82% of americans earn more than 400k a year who knew especially in the crappy trump economy. stop lying.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n486,10/17/2020,great article. a must read for icecube and any black man who\xe2\x80\x99s considering voting for trump,United States of America,California,CA,Donald Trump,1,0.9\r\n487,10/17/2020,grimmsaid joebiden advice on how you could use your influence - that's a story  really  i get asked that everyday.  this sounds like a desperate pull from donaldtrump and his team.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n488,10/17/2020,gtconway3d don't forget trump is responsible for the 200000 plus covid deaths.,United States of America,California,CA,Donald Trump,0,-0.6\r\n489,10/17/2020,gtconway3d it\xe2\x80\x99s a hoax trump gop,United States of America,California,CA,Donald Trump,0,-0.6\r\n490,10/17/2020,gtconway3d technique of repeating lies w/o documented facts until they become believed by some people is obnoxious tactic being used by trump &amp; gop.  from the playbook of the most corrupt authoritarian dictators past &amp; present. trumpisanationaldisgrace votebidenharris2020 voteblue,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n491,10/17/2020,here is my latest cartoon on tinyviewcomics. amyconeybarrett supremecourtconfirmation trump gophypocrisy roevswade affordablecareact,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n492,10/17/2020,hikmethajiyev he obviously skips leg day armenia azerbaijaniaggression trump biden artsakhrepublic,United States of America,California,CA,Donald Trump,0,-0.7\r\n493,10/17/2020,hkrassenstein erictrump all the trumps lie just like their father they should be in jail  trump is a fake president lies constantly he doesnt care about anyone but himself  he doesn\xe2\x80\x99t care of the seniors or veterans his family is a disgrace and you see the  people that vote,United States of America,New York,NY,Donald Trump,0,-0.9\r\n494,10/17/2020,hmm \xf0\x9f\xa4\x94 it\xe2\x80\x99s almost like trump is a liar...,United States of America,Washington,WA,Donald Trump,0,-0.9\r\n495,10/17/2020,how donald trump destroyed xijinping\xe2\x80\x99s chinese siliconvalley electionday elections,United States of America,California,CA,Donald Trump,0,-0.6\r\n496,10/17/2020,hrenee80 let's hope so. but we still need to fight like trump does. he is not sitting back and neither should we.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n497,10/17/2020,i am not interested in a word  republicans jumping ship have to  say. unless they say it loudly &amp; clearly &amp; denounce specific bad actions trump has committed.  they need to speak truth or go down with their dear leader. byegop,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n498,10/17/2020,i early voted for this character right here\xf0\x9f\x91\x87\xf0\x9f\x8f\xbc\xf0\x9f\x91\x87\xf0\x9f\x8f\xbc\xf0\x9f\x91\x87\xf0\x9f\x8f\xbc. trump \xf0\x9f\x8f\x81,United States of America,Texas,TX,Donald Trump,1,0.1\r\n499,10/17/2020,i follow 3 trump supporters today and twitter says i have reached my follow limits that fake news hey twitter kiss my ass,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n500,10/17/2020,i really dislike coming across these articles talking about how trump changed rudyguiliani into a crazed asshole because they're false. fact check rudy's been an asshole since i've been alive.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n501,10/17/2020,i see trump is holding more superspreader hate rallies today.,United States of America,Vermont,VT,Donald Trump,0,-0.8\r\n502,10/17/2020,i still don\xe2\x80\x99t know how this is basically ignored. this is happening. in portland like right now. and no one seems to care \xf0\x9f\xa4\xb7\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 billmaher realtimers and if you don\xe2\x80\x99t think this helps donaldtrump you\xe2\x80\x99re crazy. antifa isn\xe2\x80\x99t some \xe2\x80\x9cmade up\xe2\x80\x9d thing. bill isn\xe2\x80\x99t afraid to address it,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n503,10/17/2020,i think davidaxelrod  gives the gop too much credit that they even are that much different from what they were 30 years ago. they are just showing their colors more during the trump years.,United States of America,Arizona,AZ,Donald Trump,0,-0.5\r\n504,10/17/2020,i wish people were consistent. if we\xe2\x80\x99re going to shred trump for his lies and the dumb shit he says we should probably equally shred biden for the lies and dumb shit he said. fuckthetwopartysystem racialjungle,United States of America,California,CA,Donald Trump,0,-0.1\r\n505,10/17/2020,i would never vote for donaldtrump. i am a catholic. the pope never said that pontifex  fridaythoughts,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n506,10/17/2020,i'm going to do something i don't often do and defend trump. okay so he called matt gaetz rick gates former lobbyist who pleaded guilty to conspiracy against the united states on multiple occasions tonight at one of his superspreader klan rallies.,United States of America,Ohio,OH,Donald Trump,0,-0.4\r\n507,10/17/2020,ibishblog maskupandvote look at her....she has trump all over her and its not coming offever.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n508,10/17/2020,icecube his heart was in the right place i just don't know where his head was. why he'd think that a white supremacist a.k.a. trump would actually be interested in helping blackamerica is beyond me. and looking for a commitment mere days before the election makesnosense,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n509,10/17/2020,icecube speak on the truth that's all you doing there's a lot of haters out there don't worry. just like the radical left destroying this country and  brainwashing the american public it's not going to work on election day we see through the radical left like glass trump,United States of America,New York,NY,Donald Trump,0,-0.7\r\n510,10/17/2020,if american voters wants a huge death toll meaning fathers mothers sisters brothers die re-elect trump. if america wants this horrible sickness to end which will take a national covid policy elect joe biden.  bidenharris that is the choice.,United States of America,California,CA,Donald Trump,0,-0.4\r\n511,10/17/2020,if shooter mcgavin was a real person he'd be a trump supporter realdonaldtrump trump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n512,10/17/2020,if the us military swears an oath to protect the us from domestic enemies why haven't they done anything about the fbi maga trump hunterbiden,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n513,10/17/2020,if trump looses in a landslide and decides to resign so pence can give him a blanket pardon ... can it happen,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n514,10/17/2020,if you like me are wondering why jfkjr is suddenly trending today's the day per qanons he supposedly comes back from the dead to replace mikepence as vp on trump ticket. jfkjrreturns jfkjrisalive,United States of America,New York,NY,Donald Trump,0,-0.1\r\n515,10/17/2020,if you spend all your time licking dear leader's boots you're bound to end up with a mouthful of shoe polish and where's all that spittle gotten you trump doesn't even know your name rickgates um i mean mattgaetz,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n516,10/17/2020,if you support trump you are a racist... and stupid. while there won\xe2\x80\x99t be nuremberg style trials we know who you are. and we won\xe2\x80\x99t forget. trumpcrimefamilyforprison,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n517,10/17/2020,impeached trump has a lie and liar playbook; it's in writing and explains how to mislead and cajole the intellectual lethargic to believing whatever crap they disseminate; are you one of the duped  via snopes saturdayvibes saturdaythoughts,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n518,10/17/2020,in all honesty biden was vp for 8 years &amp; has been in dc for more than 40 years. what has he done for social justice &amp; ending systemic racism vote biden trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n519,10/17/2020,in all likelihood trump is poorer than you even if you include all your debts. a series of bankruptcies to protect him from the consequences of his actions are probably all that stand between him and standing in a soup line. bubbleeconomics,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n520,10/17/2020,in the final 18 days before voters decide whether to keep..donald trump in the whitehouse the incumbent republican is spending precious time in states that were never supposed to be this close but now threaten to upend his reelection campaign |politico,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n521,10/17/2020,ion_rat yesnicksearcy warroompandemic gatewaypundit rudygiuliani are you serious  you don't think that people pay $$$ to rub shoulders with the potus at maralago  and that's trump's $$$.  or you think those are all his friends  you don't think the trump family benefited from the 1% targeted taxcut you don't need emails for these things,United States of America,New York,NY,Donald Trump,0,-0.9\r\n522,10/17/2020,is this maga womenfortrump americafirst trump acb bebest bidenwillcrushcovid bidenharris2020tosaveamerica,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n523,10/17/2020,is this the end for the big 3  via youtube youtube google twitter joebiden trump election2020 novemberiscoming november3rd therealgsnews grandsupremenews gsnews,United States of America,Florida,FL,Donald Trump,2,0\r\n524,10/17/2020,it baffles me how some latinx people could consciously support trump  as he continues to lock people up in cages and rip families apart crosstalk amjoy,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n525,10/17/2020,it\xe2\x80\x99s a special kind of stupid to even bring this up  maga trump,United States of America,California,CA,Donald Trump,0,-0.8\r\n526,10/17/2020,it\xe2\x80\x99s both hilarious &amp; scary to what lengths republicans &amp; trump allies will go to ensure this orange clown wins the presidency even at the expense of their own integrity &amp; credibility i know the gop doesn\xe2\x80\x99t have either but they can at least pretend,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n527,10/17/2020,it\xe2\x80\x99s funny to me that people really think biden has a chance of winning this dementia guy stands no chance. y\xe2\x80\x99all act so immature and act like children obviously trump is gonna win another 4 years. \xf0\x9f\x99\x8c\xf0\x9f\x8f\xbb trump2020,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n528,10/17/2020,i\xe2\x80\x99m on a plane and the dude across the way in a trump hat has continually taken off his mask to cough. wtf,United States of America,Missouri,MO,Donald Trump,0,-0.7\r\n529,10/17/2020,i\xe2\x80\x99m watching thefirst48   each suspect reminds me of trump every time interrogated.  *always* telling a bullshit story.  difference they *always* pay the price for their sins. trump is due. trumpisalaughingstock trumpcrimefamily trumpcovid19 trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n530,10/17/2020,jasonmillerindc what was trump doing shakingdown a foreignleader 2 dig up dirt on biden you remember that incident he got impeached 4,United States of America,New York,NY,Donald Trump,0,-0.4\r\n531,10/17/2020,joebiden alyssa_milano trump 20/20,United States of America,New York,NY,Donald Trump,1,0.2\r\n532,10/17/2020,joebiden has pledged on \xe2\x80\x9cday 1\xe2\x80\x9d to raise taxes on 82% of americans.  he said he would repeal the trump tax cuts.  at least 82% of americans got that break  biden can say he'll only raise taxes on those over 400k per year now but that's deception. period \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x91\x8d\xf0\x9f\x8f\xbb,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n533,10/17/2020,joebiden the man is still lying  shame on your donaldtrump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n534,10/17/2020,joebiden \xe2\x80\x9c10 held by h for the big guy\xe2\x80\x9d.  we do have to vote-trump 2020,United States of America,Florida,FL,Donald Trump,2,0\r\n535,10/17/2020,jonathanturley ..sad to that jonathanturley has become a donaldtrump and williambarr sycophant..notice his lack of criticism of republicand i guess his defense of trump at his impeachment helped him line his pockets,United States of America,California,CA,Donald Trump,0,-0.7\r\n536,10/17/2020,juddlegum so..  teamtrump is accusing hunterbiden of something that happened every weekend at maralago pre covid billionaires and millionaires paying the trump family $$$ to rub shoulders with the potus.  this joebiden accusation has to be a social experiment to test americans iq.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n537,10/17/2020,judyriuliani russian asset in disguise no wonder he's gorgeous in trump's eyes,United States of America,Washington,WA,Donald Trump,1,0.2\r\n538,10/17/2020,just a few weeks to elections2020 elections_2020 emotions are and will be high no matter the results. let us build our capacity to promote peace hope healing and harmony. usa trump trump2020 kamalaharris pence bidenharris2020 bettertogether,United States of America,California,CA,Donald Trump,2,0\r\n539,10/17/2020,just finished watching thewayiseeit and i wasn't expecting to cry. at all. this was so much more powerful than anyone made it seem it would be. if you haven't seen it try. such a stark contrast between barackobama and trump thank you petesouza,United States of America,Illinois,IL,Donald Trump,1,0.2\r\n540,10/17/2020,keitholbermann isn't trump a flight risk,United States of America,California,CA,Donald Trump,0,-0.6\r\n541,10/17/2020,keitholbermann trump bout to be one way to russia,United States of America,North Carolina,NC,Donald Trump,0,-0.2\r\n542,10/17/2020,kellyo he must be seriously contemplating leaving the country. with bankruptcy and indictments awaiting as soon as his term ends there is a little doubt he is looking for a country without an extradition treaty with the us. i\xe2\x80\x99m serious.  trump bidenharris2020landslide,United States of America,California,CA,Donald Trump,0,-0.5\r\n543,10/17/2020,kylegriffin1 becasue donaldtrump is a sociopath,United States of America,California,CA,Donald Trump,2,0\r\n544,10/17/2020,kylegriffin1 trump groomed maga terrorist,United States of America,California,CA,Donald Trump,0,-0.3\r\n545,10/17/2020,let\xe2\x80\x99s not forget that the man who said makeamericagreatagain has all his election &amp; re-election hats flags buttons &amp; everything maga made in china. these trumpsupporters really are the dumbest people in america. donaldtrump trump2020landslide trump2020 \xf0\x9f\x98\x82\xf0\x9f\x98\x82 joebiden,United States of America,California,CA,Donald Trump,0,-0.4\r\n546,10/17/2020,levinejonathan they already picked topics favorable to democrats and you know she will cut trump off when he tries to promote his actual achievements while letting biden talk about what he will do or would have done. 47 months of trump &gt;&gt;&gt;&gt;&gt;&gt;&gt;&gt; 47 years of biden,United States of America,New York,NY,Donald Trump,1,0.1\r\n547,10/17/2020,live look at the trump campaign 18 days before the election...,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n548,10/17/2020,lynngenx easy - look at his taxreturns lol.  its all there  what you think you can declare income and not say where its from in your tax returns  why do you think donaldtrump isn't doing the same thing  anything teamtrump throws at joebiden at this stage just makes trump look bad,United States of America,New York,NY,Donald Trump,2,0\r\n549,10/17/2020,maga2020 kag2020 kag maga trump2020 trump trumpkillsus trumpisnotwell vetsagainsttrump veteran veteransfortrump,United States of America,California,CA,Donald Trump,1,0.1\r\n550,10/17/2020,many people are saying realdonaldtrump is totally losing his shit over this ratings disaster. so please do not retweet this because it\xe2\x80\x99ll only embarrass humiliate and enrage him more... trump biden,United States of America,New York,NY,Donald Trump,0,-0.5\r\n551,10/17/2020,marieb6860 petesouza same experience as my throat swelled up many times as we witnessed a compassionate and intelligent president with obama trump barackobama,United States of America,Arizona,AZ,Donald Trump,1,0.5\r\n552,10/17/2020,mattgaetz must be feeling pretty lonely after trump's rejection since trump offered to kiss every person in his rally crowd the other night even without knowing their names where's your kiss from the only president you will love rick,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n553,10/17/2020,mckaylarosej here's the thing i wish the left could see. like him or not trump has a lot to offer their side. he carries a good amount of liberal views that aren't insane and they can't even see it because of their absolute hatred of the man.,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n554,10/17/2020,meidastouch chuckwi58226939 well considering his soul and debt belongs to putin that actually makes sense. trump is putinspuppet trumpisanationaldisgrace,United States of America,Virginia,VA,Donald Trump,1,0.3\r\n555,10/17/2020,michael chukwu went to the white house and met barack obama and joe biden. they told michael chukwu that he could rape me. michael chukwu also had sex with hillary clinton kamala harris nancy pelosi michelle obama and many other democrats. they are all rapists. trump maga,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n556,10/17/2020,mid day tribute to trump,United States of America,Colorado,CO,Donald Trump,1,0.3\r\n557,10/17/2020,minishmael louisfarrakhan also though you strongly dislike our current president realdonaldtrump trump true ruler understanding messiah plan for november 3rd the trumpitsounds like trump2020landslide by 10 points or more - theeblackchrist nightoftheroundtable jayelectron,United States of America,New York,NY,Donald Trump,0,-0.6\r\n558,10/17/2020,mittromney if you really believe that trump is bad for our country then show it where it counts. vote no on barrett vote for biden/harris ticket. you can't have it both ways~talkischeap,United States of America,New York,NY,Donald Trump,0,-0.5\r\n559,10/17/2020,mmfa at this point why is ingrahamangle surprised that trump is incompetent,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n560,10/17/2020,mommak_c oliviaraisner tducklo joebiden yeah right.  he seems to know his program more than donaldtrump.  you don\xe2\x80\x99t think someone who can\xe2\x80\x99t remember who he borrowed $400m from or if he stuck a cotton swab the day of the debate as required no signs of dementia  just curious how else can you explain it,United States of America,New York,NY,Donald Trump,2,0\r\n561,10/17/2020,most people watched joe biden so if you missed it...  donaldtrump,United States of America,California,CA,Donald Trump,1,0.4\r\n562,10/17/2020,mynameis miriam means  bitterness. spiritually that means strives for justice.  doesn't accept evils as promulgated by the trump administration abetted by gopdeathcult biblical miriam put moses in the nile &amp; found a well of pure water in the desert. perduesenate bye-bye.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n563,10/17/2020,mynameis ron as in ronald mcdonald. i am waiting for trump in wisconsin,United States of America,California,CA,Donald Trump,0,-0.1\r\n564,10/17/2020,name something that crookedjoebiden has done for the latino community in the last 47 years. trump has done more in 4 years. don\xe2\x80\x99t be fooled again. votetrump2020tosaveamerica \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Arizona,AZ,Donald Trump,0,-0.1\r\n565,10/17/2020,national security adviser warned trump in december 2019 that giuliani was target of russian disinformation campaign  via cbspolitics,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n566,10/17/2020,nebraskadems seems like you folks could try and capitalize on sensasse trump remarks - i imagine the nebraska maga cult wouldn\xe2\x80\x99t like to hear bensasseequalsbs malign denigrate trumpisalaughingstock - no thedemocrats this is the year to go big or go home. election2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n567,10/17/2020,newsflash you can vote independent &amp; it still be a vote against trump. just a simple fyi. trump does not get votes that go other candidates. the general election is never like the primaries folks. election2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n568,10/17/2020,next stop hermancain town by way of trump ave\xe2\x80\xbc\xef\xb8\x8f trumpspreadscovid trumpkillspeople trump2020xhitslide trump realdonaldtrump,United States of America,California,CA,Donald Trump,0,-0.1\r\n569,10/17/2020,not enough. not even close. trump must be convicted and jailed for taxevasion bribery accessory to 218000 covid19 murders and more,United States of America,Washington,WA,Donald Trump,0,-0.6\r\n570,10/17/2020,nytimes praises trump coronavirus will end sooner than expected,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n571,10/17/2020,ok...my eyes are starting to flutter...dogs are snoring so its time i say good night america...dont let franken trump win...vote biden...vote blue,United States of America,Colorado,CO,Donald Trump,0,-0.4\r\n572,10/17/2020,on maddow now nbcnews has supported both nixon and trump with sham town hall programs 50 years apart turns out msnbc helped make foxnews the call is coming from inside the house run vpdebates2020 trumphascovid,United States of America,Rhode Island,RI,Donald Trump,1,0.6\r\n573,10/17/2020,only saban can come back faster than trump,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n574,10/17/2020,ossoff sendavidperdue is trying to trump... its so sad.. i feel your pain perdue family members,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n575,10/17/2020,p0ppysmic icecube cuomoprimetime nah tell him to ask trump why when they meet. \xf0\x9f\x98\xa1,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n576,10/17/2020,pathetic coke addict don jr belongs in supermax with the rest of his crime family. donaldtrump donaldtrumpjr cokehead trumpvirus trumpcrimefamily trumpcrimefamilyforprison trumpcrimesyndicate vote,United States of America,Rhode Island,RI,Donald Trump,0,-0.3\r\n577,10/17/2020,pelosi and trump go afullyear without speaking thehill,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n578,10/17/2020,peter strozk changed the 302 report on gen flynn so they could arrest gen flynn for lying to the fbi... there is evidence that changes were made  but now not on youtube because of anti- trump censorship ... strozk .. forced to confess but still on cnn,United States of America,New York,NY,Donald Trump,0,-0.5\r\n579,10/17/2020,ppollingnumbers hunterbiden is donaldtrump last stance.  maybe he's not that smart to leave it up to someone who has been charged for fraud stevebannon and liaising with russian agents rudygiuliani.  couldn't he have found another team i guess trump has no concept of credibility.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n580,10/17/2020,preetbharara will trump move to russia,United States of America,California,CA,Donald Trump,0,-0.1\r\n581,10/17/2020,premiering now the trump mooc - it's all about the mask elections2020 covid19 coronavirus grief bereavement techno technology tech edtech loss deaths wellbeing health mentalhealth environment climatechange climateaction usa vote,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n582,10/17/2020,premiering now the trump mooc -it's all about the elections2020 covid19 coronavirus hiking lgbt lgbtqia lgbtqiaunite gay online course news share voters mask video outdoor environment climatechange climateaction unitedstates  vote,United States of America,New York,NY,Donald Trump,2,0\r\n583,10/17/2020,premiering now the trump mooc -it's all about the maskelection2020 covid19 ageism agedwell coronavirus online course news share voters presidenttrump mask video olderadults oldergay seniors seniorcitizens retired unitedstates vote,United States of America,New York,NY,Donald Trump,0,-0.1\r\n584,10/17/2020,president donald trump signs one trillion trees executive order promoting conservation regeneration of our nation\xe2\x80\x99s forests clarksville clarksvilletn montgomerycounty nashville tennessee nationalforests news donaldtrump,United States of America,Tennessee,TN,Donald Trump,2,0\r\n585,10/17/2020,presidents hate to look sick. trump has never needed to appear strong more.   via voxdotcom news coronavirus presentation strongman,United States of America,Texas,TX,Donald Trump,2,0\r\n586,10/17/2020,probably doesn\xe2\x80\x99t know any of our history and is being told what to say from media. another celebrity and musician trying to push division. why not point out the facts about biden he was friends with a kkk leader. but ohhh cuz it\xe2\x80\x99s cool to say fuck trump. have a nice day \xe2\x9c\x8c\xf0\x9f\x8f\xbb.,United States of America,California,CA,Donald Trump,0,-0.1\r\n587,10/17/2020,psirus2020 c2cliberal nprpolitics i don\xe2\x80\x99t see a problem with people making $$ from public service.  the important thing is the difference they make.  trump can\xe2\x80\x99t touch clinton in terms of economic performance and expansion.  he had a near 4% gdp rate - and created 700k jobs per month not ppl returning to work,United States of America,New York,NY,Donald Trump,2,0\r\n588,10/17/2020,psirus2020 c2cliberal nprpolitics i think anyone that\xe2\x80\x99s not part of donaldtrump fandom will have these impressions.  as if he\xe2\x80\x99s hiding something.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n589,10/17/2020,ratings biden surprise victory over trump in tv town hall tug of war huge win in key demo 18-49 and even with cable counted in  via showbiz411,United States of America,New York,NY,Donald Trump,1,0.4\r\n590,10/17/2020,realdonaldtrump and joebiden has dueling town halls  via youtube donaldtrump joebiden,United States of America,New York,NY,Donald Trump,1,0.1\r\n591,10/17/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n592,10/17/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n593,10/17/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n594,10/17/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n595,10/17/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n596,10/17/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n597,10/17/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n598,10/17/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n599,10/17/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n600,10/17/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n601,10/17/2020,realdonaldtrump can't wait for you to tell them in mi that we're rounding the corner on covid19 so they can kick your lying corrupt mass-murdering ass to the curb even more...  trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n602,10/17/2020,realdonaldtrump channeling hillaryclinton\xe2\x80\x99s thinking in 2016. btw this is the only campaign promise i hope trump keeps. trumpisaloser,United States of America,Idaho,ID,Donald Trump,1,0.1\r\n603,10/17/2020,realdonaldtrump has made claims that he doesn\xe2\x80\x99t know anything about qanon or the proudboys... are you kidding me he\xe2\x80\x99s the president of the united states. even homeless transients know who they are. trump is lying again... voteblue2020 bidenharris saveamerica trumplies,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n604,10/17/2020,realdonaldtrump he\xe2\x80\x99s just one of the rats seeking to abandon your sinking ship. the political price of aligning with trump\xe2\x80\x99s corruptcomplicitgop is starting to become clear.,United States of America,California,CA,Donald Trump,0,-0.6\r\n605,10/17/2020,realdonaldtrump if i can pay $750 a year in taxes i would vote for anyone can you help with that  trump biden vote tax,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n606,10/17/2020,realdonaldtrump irresponsible irrational scare tactic by trump. what  is more \xe2\x80\x9cradical left\xe2\x80\x9d than having putinspuppet now in the whitehouse  next year trump should take his sad little carney show to russia. trump will be the little marionette &amp; vladimir the big boss authoritarian puppeteer,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n607,10/17/2020,realdonaldtrump it\xe2\x80\x99s not looking so great trump makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,0,-0.3\r\n608,10/17/2020,realdonaldtrump just voted and did it in person . i went and voted with a broken ankle bone i did on aug  24th 2020. so if i can do it anyone can  4moreyears donaldtrump,United States of America,Tennessee,TN,Donald Trump,2,0\r\n609,10/17/2020,realdonaldtrump trump 2020 check out my podcast. we talked about \xe2\x80\x9ccreepy joe biden\xe2\x80\x9d and trump winning   p,United States of America,Wisconsin,WI,Donald Trump,0,-0.1\r\n610,10/17/2020,realdonaldtrump trump gop,United States of America,New York,NY,Donald Trump,2,0\r\n611,10/17/2020,realdonaldtrump trump is losing badly anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,0,-0.6\r\n612,10/17/2020,realdonaldtrump trump lieslieslies vote bidenharris,United States of America,California,CA,Donald Trump,2,0\r\n613,10/17/2020,realdonaldtrump trump smile so disgusting trumpisarapist trump,United States of America,New York,NY,Donald Trump,0,-0.7\r\n614,10/17/2020,realdonaldtrump you'll be stopped at the airport and arrested trumpisacriminal trump,United States of America,New York,NY,Donald Trump,0,-0.5\r\n615,10/17/2020,reliefnow reliefsaturday noskinnybill enhanced unemployment for all &amp; gobig stimuluspackage teampelosi realdonaldtrump speakerpelosi senatemajldr stevenmnuchin1 markmeadows townhalls unemployment 20% not 7%  trump said factcheck savannahguthrie people r suicidal,United States of America,New York,NY,Donald Trump,0,-0.7\r\n616,10/17/2020,remember the things that we used to love and now because of trump we hate.......like...sharpie or...orange juice. or...ymca... saturdaythoughts votebidenharris,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n617,10/17/2020,repmattgaetz realdonaldtrump republicans all up in russia selling america out in 2018 did y\xe2\x80\x99all get your drank and your freak on with the russian chicks at the hotel with the cameras recording  gop  gopcorruptionovercountry. gopbetrayedamerica. gopcomplicittraitors americafirst trump demonchaser \xf0\x9f\x87\xb7\xf0\x9f\x87\xba,United States of America,Michigan,MI,Donald Trump,0,-0.1\r\n618,10/17/2020,republicans abandon potus45 as his ship sinks in sea of democracy...and trump contemplates fleeing the usa like a third rate despot if he loses.,United States of America,Connecticut,CT,Donald Trump,0,-0.8\r\n619,10/17/2020,rmayemsinger predictable behavior from trump and his allies,United States of America,California,CA,Donald Trump,0,-0.3\r\n620,10/17/2020,russia records over 15000 new covid-19 cases in past 24 hours trump whitehouse politics,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n621,10/17/2020,sanfrancisco rightwingrally trump biden election twitterhq mob antifa demosticterrorists,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n622,10/17/2020,saracarterdc isn't the nypost like the enquirer its a tabloid. i can't believe the charge of hunterbiden getting jobs because of his name and not merit. has anyone even met the trump family you think ivankatrump is qualified for all the senior government roles daddy appoints her to,United States of America,New York,NY,Donald Trump,0,-0.5\r\n623,10/17/2020,saturdaythoughts saturdaymorning saturdaymotivation saturdaymood i completed the  publication process for the coup against trump so hopefully if i did everything right it should be available by tomorrow. it says allow 72 hours but it's usually available the next day.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n624,10/17/2020,saturdaythoughts saturdaymotivation saturdaymorning i guess this was mostly a reading and editing night as i only wrote one short dystopia but i successfully did the publication process for my anti-trump novella so i will still consider it a productive night in that regard.,United States of America,New York,NY,Donald Trump,1,0.6\r\n625,10/17/2020,scotus if you say non-citizens should not count in the census you are definitely trumpcrimefamily trump lackeys that should not hold a seat in the highest court,United States of America,New York,NY,Donald Trump,0,-0.8\r\n626,10/17/2020,seanhannity major stumble would be erictrump's titel if someone called trump had balls to join the army,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n627,10/17/2020,seanhannity still voting for him. the trump hate is real with me. voting4biden in florida on monday.. can\xe2\x80\x99t wait.,United States of America,Florida,FL,Donald Trump,2,0\r\n628,10/17/2020,see more great cartoons from across the usa today network by clicking here  biden trump elections2020 election2020 freep usatodayopinion,United States of America,Michigan,MI,Donald Trump,1,0.6\r\n629,10/17/2020,senador republicado dice que trump coquetea con supremacistas y dictadores -  evnews donaldtrump eeuu senado,United States of America,Florida,FL,Donald Trump,2,0\r\n630,10/17/2020,shannonsharpe this guy did more for african american than any other president what did barack obama and sleepy joe creepy joe do for 8 years absolutely nothing what a pathetic disgrace. trump 20/20,United States of America,New York,NY,Donald Trump,0,-0.2\r\n631,10/17/2020,si biden gana en florida dejar\xc3\xa1 sin posibilidades al republicano donald trump -  evnews joebiden donaldtrump elecciones2020 eeuu,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n632,10/17/2020,someone needs to explain to diddy that trump is the first black president \xf0\x9f\xa4\xa3\xf0\x9f\x98\x82\xf0\x9f\x98\x86\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x91\x8d,United States of America,California,CA,Donald Trump,0,-0.5\r\n633,10/17/2020,supremecourt to review trump bid to exclude undocumented immigrants from official tally,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n634,10/17/2020,sykescharlie seems crazy that someone so incompetent and exhausting so unable to do his job says another person doesn't have what it takes to be great. countryoverparty trump must go sensasse,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n635,10/17/2020,thanks to trump we're a laughingstock ....how amazing\xf0\x9f\x98\x94,United States of America,New York,NY,Donald Trump,1,0.8\r\n636,10/17/2020,that dummy trump gets to talking and mayra joli be in the back looking like he's quoting skillzva debut single,United States of America,California,CA,Donald Trump,0,-0.4\r\n637,10/17/2020,that he pays his taxes and isn\xe2\x80\x99t $400 million in debt maga trump,United States of America,California,CA,Donald Trump,0,-0.3\r\n638,10/17/2020,that isn't as good as trump's tweet but it is pretty funny.,United States of America,Minnesota,MN,Donald Trump,1,0.4\r\n639,10/17/2020,that should have been trump spanks littleben s asse,United States of America,Tennessee,TN,Donald Trump,0,-0.4\r\n640,10/17/2020,the democrats need to denounce pedophilia before election2020 trump already did  what say you,United States of America,California,CA,Donald Trump,0,-0.8\r\n641,10/17/2020,the don the donald and the network  tim hayes  free download borrow and streaming  internet archive trumptownhall trump2020 trump wakeyourassup,United States of America,California,CA,Donald Trump,2,0\r\n642,10/17/2020,the fact the trump is reduced to giving g interviews to lowly newsmax a content farm and fakenews purveyor is convincing evidence that his echo chamber is collapsing and he will lose bigly.,United States of America,California,CA,Donald Trump,0,-0.8\r\n643,10/17/2020,the legal reckoning awaiting donald trump if he loses the election  cnn cnnpolitics donaldtrump  trump gop democrats voteblue2020 vote bidenharris2020 via .cnnpolitics,United States of America,Hawaii,HI,Donald Trump,0,-0.6\r\n644,10/17/2020,the lincoln project girl in the mirror  via youtube trump bidenharris2020,United States of America,New York,NY,Donald Trump,2,0\r\n645,10/17/2020,the loving father and addict sons appear to be crooks and pop is a candidate for president. that makes the story very newsworthy. forced choice which do you take as potus a trump; b a crook who uses his son to launder bribes from china's govt.,United States of America,Minnesota,MN,Donald Trump,0,-0.3\r\n646,10/17/2020,the many ways we know 2020 will be a banner year for voting  via voxdotcom news  vote election2020 electionday elections2020 trump biden bidenharris2020 trumpisalaughingstock trumpvirus bidenharristosaveamerica,United States of America,Texas,TX,Donald Trump,2,0\r\n647,10/17/2020,the trump family unapologetically steals from the american people. trump trumpcrimefamily trumpisanationaldisgrace trumpisaloser trumpisunfitforoffice,United States of America,California,CA,Donald Trump,0,-0.3\r\n648,10/17/2020,the white house planted 2 political operatives in the cdc to keep tabs on director robert redfield and his scientists report says..trump..gop..covid19..,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n649,10/17/2020,the \xe2\x81\xa6nytopinion\xe2\x81\xa9 writes trump is the greatest threat to american democracy since wwii,United States of America,New York,NY,Donald Trump,0,-0.8\r\n650,10/17/2020,thegame ain\xe2\x80\x99t nothing like voting trump,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n651,10/17/2020,thehill now that he sees the senategop majority is hooked to trump's ankles and he's trying to bail he figures the american people can be bought off.....that is so gop and machiavellian....,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n652,10/17/2020,thehill there are still lots of men who just can't get it how much women hate trump with a visceral loathing.....,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n653,10/17/2020,thehill trump trying to openly buy off seniors is so trumpian....and guess what it won't work.,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n654,10/17/2020,thekjohnston it's not far from over. trump knows it s over. he's a sociopath shaking in his boots as any sociopath would. evident by how nuts hes getting. this is how it goes. there will be a few who cling to him. that's okay. we can't all be spared the kool-aide.,United States of America,California,CA,Donald Trump,2,0\r\n655,10/17/2020,thekjohnston the numbers aren\xe2\x80\x99t changing drastically. unfortunately trump will win.,United States of America,Arizona,AZ,Donald Trump,0,-0.6\r\n656,10/17/2020,there are 2 types of trump supporters. those that are blissfully ignorant on some spectrum of stupid. those that are insidiously aware incubating sinister bigotry and hateful ideology through his political enterprise. trumpsupporters vile,United States of America,Oregon,OR,Donald Trump,0,-0.6\r\n657,10/17/2020,this is america today. she is one of millions of citizens who are suffering. yet president trump &amp; congress don't care. and the president &amp; republicans want to cut socialsecurity further forcing older citizens into extreme poverty. the us is broken.,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n658,10/17/2020,this ncgop tweet is pure fiction.  trump vp whitehouse + ncgop are offering \xe2\x80\x9cherd immunity\xe2\x80\x9d as their covid battle plan.  herd immunity means government does nothing mask-less rallies resulting millions of dead americans.,United States of America,North Carolina,NC,Donald Trump,0,-0.4\r\n659,10/17/2020,time remember when trump said he can kill someone in broad daylight and nothing will happen to him that\xe2\x80\x99s happening now yet he\xe2\x80\x99s without a gun. whole country is postponing crowded events \xe2\x80\x98till this virus is controlled yet he\xe2\x80\x99s gallivanting around his rallies &amp; infects people.,United States of America,North Carolina,NC,Donald Trump,0,-0.6\r\n660,10/17/2020,today i voted for realdonaldtrump in person and couldn\xe2\x80\x99t be more excited. trump2020landslide trump trump2020,United States of America,North Carolina,NC,Donald Trump,1,0.5\r\n661,10/17/2020,tonyschwartz now trump has got to lose the big one,United States of America,New York,NY,Donald Trump,0,-0.6\r\n662,10/17/2020,trump,United States of America,Virginia,VA,Donald Trump,2,0\r\n663,10/17/2020,trump acknowledges he is going to run and leave the country if he loses. trump is a flight risk he needs to stand trial put him in cuffs and chains trump colluded trump must go,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n664,10/17/2020,trump administration rushing through regulations without public comment or analysis as it prepares for probable loss  via yahoo,United States of America,California,CA,Donald Trump,0,-0.5\r\n665,10/17/2020,trump administration \xe2\x80\x9csurreptitiously\xe2\x80\x9d deported venezuelans through a third country  via univision so it seems trump admin secretly collaborated w/ maduro regime to deport venezuelans through a third country with apparent acquiescence of guaido diplomats,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n666,10/17/2020,trump blasts sasse for predicting senate republican bloodbath - the guardian trump politicalparties whitehouse,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n667,10/17/2020,trump blasts senator sasse on twitter over critical comments. abcnews trump sasse twitter  abc,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n668,10/17/2020,trump el dicko muy chiquito\xf0\x9f\x8d\x84 realdonaldtrump weelilweeniedonito hissonsinherentdicksize trumpchiquitos trumpcrimefamily trumplilpeckerfamily,United States of America,California,CA,Donald Trump,2,0\r\n669,10/17/2020,trump election legal risk,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n670,10/17/2020,trump giuliani cellmates treason,United States of America,Oregon,OR,Donald Trump,1,0.1\r\n671,10/17/2020,trump has been so terrible that reasonable people feel they have no option other than to vote for biden. but biden\xe2\x80\x99s constant nostalgia for \xe2\x80\x9cgood union jobs\xe2\x80\x9d and the extinct economy that created them shows how out of touch he is.,United States of America,California,CA,Donald Trump,0,-0.1\r\n672,10/17/2020,trump his only legacy will be that of traitor and pos a regulatory rush by federal agencies to secure trump\xe2\x80\x99s legacy,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n673,10/17/2020,trump holding rally in janesville wisconsin though the whole state has been declared been declared a covid-19 red zone   janesville is in rock county which earlier this week reported its highest levels yet for coronavirus infections hospitalisations and positive tests,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n674,10/17/2020,trump in georgia \xe2\x80\x98nobody has done more for the black community' trump politics government,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n675,10/17/2020,trump is dishonest and thinks he can overcome the press stories that are talking about it.,United States of America,California,CA,Donald Trump,0,-0.8\r\n676,10/17/2020,trump is going to lose  it\xe2\x80\x99s a fact,United States of America,Maryland,MD,Donald Trump,0,-0.6\r\n677,10/17/2020,trump is insane. he is again targeting the michigan governor saying lock her up. this 9 days after she was targeted by domestic terrorists.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n678,10/17/2020,trump is on tape making jokes. that's why i believe he may have a sense of humor.,United States of America,Minnesota,MN,Donald Trump,2,0\r\n679,10/17/2020,trump is simply .. out of control.  well to be honest he was never in control of his own self.  blametrump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n680,10/17/2020,trump isn\xe2\x80\x99t trying to win an election he\xe2\x80\x99s trying to build a core audience post-election to pay his bills. it\xe2\x80\x99s the only answer that explains his behavior. vote trump biden,United States of America,Washington,WA,Donald Trump,0,-0.1\r\n681,10/17/2020,trump keeps visualizing a redwave not realizing it\xe2\x80\x99s a bloodbath he\xe2\x80\x99s facing. 2016 \xe2\x89\xa0 2020 much as he would like it to be.,United States of America,California,CA,Donald Trump,0,-0.2\r\n682,10/17/2020,trump misogyny republicansforbiden,United States of America,Colorado,CO,Donald Trump,2,0\r\n683,10/17/2020,trump racisttrump limbaugh talkradio,United States of America,New York,NY,Donald Trump,1,0.1\r\n684,10/17/2020,trump rallies are a waste of time.  he lists perceived slights and shares no plans or strategies for serving america and americans.  keep the superspreading roadshow out of nc,United States of America,North Carolina,NC,Donald Trump,0,-0.5\r\n685,10/17/2020,trump realdonaldtrump donaldtrumpjr trumpcrimefamily trumpcrimesyndicate,United States of America,California,CA,Donald Trump,2,0\r\n686,10/17/2020,trump repeats inaccurate claim \xe2\x80\x9885% of people who wear masks catch coronavirus\xe2\x80\x99..trump..gop..covid19,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n687,10/17/2020,trump says he's not worried about 'lousy' obama stumping for biden - \xe2\x81\xa6washtimes\xe2\x81\xa9 trump obama biden voteforourlives,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n688,10/17/2020,trump slathers gold leaf on everything \xe2\x80\x9cowns\xe2\x80\x9d however many good clubs or rather the banks do and everyone is having a meltdown over a single property that biden fixed up then sold in the mid-90s,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n689,10/17/2020,trump threatens to leave the country if biden wins better title \xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 flees to russia to escape prosecution from the sdny,United States of America,California,CA,Donald Trump,0,-0.6\r\n690,10/17/2020,trump to hold back-to-back rallies in midwest biden campaign warns race is neck-and-neck - the washington post whitehouse trump government,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n691,10/17/2020,trump whattafcvkingliar realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n692,10/17/2020,trump will pocket $74million of that\xf0\x9f\x92\x81\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f trumpcannotandmustnotbetrusted realdonaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n693,10/17/2020,trump's amerika.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n694,10/17/2020,trump's multiple rallies prove that he doesn't care about anybody other than himself if you attend these crap events and get sick you're fucked do you think that trump will take responsibility for your stupidity of course not only the most of stupid people support trump,United States of America,California,CA,Donald Trump,0,-0.9\r\n695,10/17/2020,trump2020 trump2020landslidevictory trumptownhall trump donaldtrump,United States of America,Indiana,IN,Donald Trump,2,0\r\n696,10/17/2020,trumpvirus trump gophypocrisy gopsuperspreaders,United States of America,Texas,TX,Donald Trump,1,0.1\r\n697,10/17/2020,trump\xe2\x80\x99s campaign schedule is a tacit acknowledgment  he\xe2\x80\x99s on the brink of crushing losses in major battlegrounds and once-impenetrable red states \xe2\x80\x94 and an effort to shore up support in gop strongholds to prevent an electoral blowout. vote him out,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n698,10/17/2020,uh did he grab her trump style\xf0\x9f\x99\x83,United States of America,Texas,TX,Donald Trump,2,0\r\n699,10/17/2020,umm tmz what is the problem with trump saying he can\xe2\x80\x99t speak about that qanon group because he\xe2\x80\x99s not educated on itbetter than him just saying what the public wants to hearhe\xe2\x80\x99s being honest&amp;saying he doesn\xe2\x80\x99t know about them\xf0\x9f\x99\x84 doesn\xe2\x80\x99t make him bad guystay out of politics,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n700,10/17/2020,unfollowing icecube  faster then trump blocking his taxes.,United States of America,California,CA,Donald Trump,0,-0.1\r\n701,10/17/2020,unfortunately ncgop voters thought they were supporting a businessman in trump.  now ncvoters see the highly indebted and compromised potus is leading a crimefamily and ciminalwhitehouse,United States of America,North Carolina,NC,Donald Trump,0,-0.8\r\n702,10/17/2020,usa ~ trump made another baseless political claim about fauci \xe2\x80\x94\xe2\x80\x94&gt;,United States of America,Ohio,OH,Donald Trump,0,-0.8\r\n703,10/17/2020,usa2020 trump presidentialdebate,United States of America,Texas,TX,Donald Trump,2,0\r\n704,10/17/2020,via motherjones scott atlas downplays coronavirus and rails against masks  | politics trump election2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n705,10/17/2020,via newcivilrights u.s. officials think russia is using trump lawyer giuliani to spread lies about hunter biden  | civilrights lgbtq trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n706,10/17/2020,via rawstory atlantic system likely to develop in next 5 days hurricane center  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.3\r\n707,10/17/2020,via rawstory biden-harris not quite all-in in texas  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n708,10/17/2020,via rawstory \xe2\x80\x98drunk all the time\xe2\x80\x99 michael cohen explains how \xe2\x80\x98russians used\xe2\x80\x99 rudy giuliani  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.6\r\n709,10/17/2020,video proof that biden was starting to decline  town hall. trump biden maga realdonaldtrump dbongino kellzbellzzah asheborn57 realjameswoods joe biden abc town hall  oct 15 2020 | watch biden start to tire out halfway through,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n710,10/17/2020,vote for america vote for american jobs/businesses vote for trump trump2020  beneciasusa,United States of America,California,CA,Donald Trump,2,0\r\n711,10/17/2020,vote for trump rather to big tech which hell out them take their money run and blame.,United States of America,New York,NY,Donald Trump,0,-0.9\r\n712,10/17/2020,vote voteearly seanhannity foxnews realdonaldtrump trump trumpcrimefamily ivankatrump senatemajldr,United States of America,Florida,FL,Donald Trump,1,0.1\r\n713,10/17/2020,washingtonpost of course no one wants to listen to that imbecile trump anymore. that criminal is a waste of time energy and money,United States of America,New York,NY,Donald Trump,0,-0.7\r\n714,10/17/2020,watching dodgers on fox. just saw a joebiden commercial. hope donaldtrump isn\xe2\x80\x99t watching.,United States of America,California,CA,Donald Trump,0,-0.2\r\n715,10/17/2020,way too far. trump biden 2020 election2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n716,10/17/2020,what a ridiculous take and a recipe for defeat.  if someone joins me in supporting the second trump term i\xe2\x80\x99m glad to move forward hashing out any ancillary differences which may or may not be subsequently settled.  focus people focus.,United States of America,Texas,TX,Donald Trump,2,0\r\n717,10/17/2020,what does a biden or trump victory mean for financial services mackayshields global fixed income team analyzes key policy proposals and personnel appointments and the possibility of transformative financial sector legislation and re-regulation.,United States of America,New York,NY,Donald Trump,1,0.1\r\n718,10/17/2020,what will u.s. foreign policy look like after election2020 and how will a biden or trump win change america\xe2\x80\x99s behavior on the global stage biden foreign policy adviser tony blinken and former trump official kt mcfarland join fareedzakaria on gps sun. 10aet cnn,United States of America,Georgia,GA,Donald Trump,2,0\r\n719,10/17/2020,when did the gop became the party of russian propaganda and votersuppression seems about the time trump came in. why would anyone that be a part of this joke of a party get out while you can to save face and be honest with your kids that you weren\xe2\x80\x99t a dumbass votethemallout,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n720,10/17/2020,who are you voting for poll trump biden,United States of America,Arizona,AZ,Donald Trump,0,-0.3\r\n721,10/17/2020,why are we \xe2\x80\x9capplauding\xe2\x80\x9d these people who help create the horrors that the trump administration has made  remember over 218k dead,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n722,10/17/2020,why is it that every time a trump talks about rape they say the cringiest thing possible,United States of America,California,CA,Donald Trump,0,-0.8\r\n723,10/17/2020,will you shut up man joe biden on trump in the first debate...,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n724,10/17/2020,wish  we could keep trump in office 12 more yearsi wouldn't care if he was 90 years old \xe2\x9d\xa4\xe2\x9d\xa4\xe2\x9d\xa4\xe2\x9d\xa4\xe2\x9d\xa4\xe2\x9d\xa4\xe2\x9d\xa4\xe2\x9d\xa4,United States of America,Texas,TX,Donald Trump,2,0\r\n725,10/17/2020,wishing the secret service would refuse to protect trump and company until after the election...citing budget contrainsts...plus his moronic kids can fend for themselves...,United States of America,Colorado,CO,Donald Trump,0,-0.6\r\n726,10/17/2020,with trump say bye to socialsecurity say bye to healthcare say bye to equalityforall say bye to americafirst say bye to the economy say bye to peacelovetruth say bye to america with donaldtrump. instead say bye to trump and hi to joebiden kamalaharris 2020,United States of America,California,CA,Donald Trump,0,-0.2\r\n727,10/17/2020,word to black people voting for any proven racist segregationist &amp;/or white supremacist makes you complicit in all shit happening against black america &amp; the diaspora. voting for biden makes you \xf0\x9f\x92\xa9. voting for trump makes you \xf0\x9f\x92\xa9 too. election2020,United States of America,California,CA,Donald Trump,0,-0.1\r\n728,10/17/2020,wow keep the high turnout coming across this country and if tx turns blue trump has no path to re-election voteblue vote voteearly votebidenharris,United States of America,California,CA,Donald Trump,0,-0.6\r\n729,10/17/2020,wow.  question to all the venezuelan voters especially in florida what the hell are you doing supporting trump  que est\xc3\xa1n tontos o qu\xc3\xa9,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n730,10/17/2020,yeah not a good look. and a former boilermaker i know \xe2\x80\x94 a staunch democrat \xe2\x80\x94 still thinks trump is going to pull out a win in pa.,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n731,10/17/2020,yeah words look like they're coming out of a gorilla's butthole but he's finally telling the truth trumpisalaughingstock. trumpvirus. donaldtrump. bidenharris2020. joewillleadus. bidenharrislandslide2020,United States of America,Illinois,IL,Donald Trump,1,0.2\r\n732,10/17/2020,you are a liar even trump\xe2\x80\x98s cult knows that less than 15 percent of americans make near $400000.  please go with him when he runs for the border.....,United States of America,New York,NY,Donald Trump,0,-0.4\r\n733,10/17/2020,your boy realdonaldtrump trump just be lying nonstop like that song from champagnepapi,United States of America,Arizona,AZ,Donald Trump,0,-0.6\r\n734,10/17/2020,\xe2\x80\x98please like me\xe2\x80\x99 trump begged. for many women it\xe2\x80\x99s way too late.  children trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n735,10/17/2020,\xf0\x9f\x93\xb7 \xf0\x9f\x98\x82\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82 this is kinda how it feels. . vote2020 voteordie vote 2020 mailinballot voteforchange voteearly joebiden trump mercia america votenow,United States of America,California,CA,Donald Trump,2,0\r\n736,10/18/2020,good form on that chair shot by katemckinnon on trump during the nbcsnl cold open. it's what we've all wanted to see. and the pop it got from the audience was awesome. wwe should seriously get kate for the celebrity match at next year's wrestlemania.,United States of America,New York,NY,Donald Trump,1,0.5\r\n737,10/18/2020,make sure joe biden wins the election. everyone must vote for joe biden. joe biden is best choice for usa president. joebiden election trump election2020 joebiden realdonaldtrump potus,United States of America,Massachusetts,MA,Donald Trump,1,0.3\r\n738,10/18/2020,$15 doordash credit  free food fooodie sunday brunch lunch bacon trump biden 2020 corona fall pumpkin delivery family,United States of America,California,CA,Donald Trump,1,0.2\r\n739,10/18/2020,'it's not fair' workers in a poor mississippi county pay more tax than trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n740,10/18/2020,'nodding woman' behind trump at town hall is former house candidate thehill,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n741,10/18/2020,.aprilaser again we're seeing black identity being used to show a stronger push for... black conservative support than there is... on twitter fake accounts saying i'm voting for trump... seem to be geared towards showing white voters the gop as more diverse than it is amjoy,United States of America,New York,NY,Donald Trump,0,-0.8\r\n742,10/18/2020,.natlgovsassoc questions trump admin on funding distribution of covid19 vaccine. who first in line who pays for essential workrs to administer millions of doses when states suffering deficits forcing layoffs see  .maddow .maggienyt .jrubinblogger,United States of America,New York,NY,Donald Trump,0,-0.3\r\n743,10/18/2020,1/2 even with the spike in ratings from all the trump bashing cnn primetime still gets less than half the audience of foxnews &amp; no show in the top 5. only maddow has shown real durability among the anti-trump crowd thehill,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n744,10/18/2020,a biden win will strengthen the economy anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.3\r\n745,10/18/2020,a little bit of sunday fun. hit copy/paste but change what the bunny is holding.  biden trump republican vote sundayfunday,United States of America,Texas,TX,Donald Trump,1,0.1\r\n746,10/18/2020,acyn trump is a lowlife. how anyone can support him is beyond me.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n747,10/18/2020,adamlaxalt realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n748,10/18/2020,adosiz4ever racism aka racist are selfish and also narcissist they think they are right all the time trump don\xe2\x80\x99t take accountability for their action trump don\xe2\x80\x99t have a morals or empathy trump they don\xe2\x80\x99t mind their business need i say more...,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n749,10/18/2020,africa is shocked usa under realdonaldtrump has worst coronavirus response in the world. joebiden kamalaharris mike_pence and trump are currently campaigning for election. who africacdc cdcgov _africanunion  via todaynewsafrica,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n750,10/18/2020,alivelshi long prison time for all of trump crimes,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n751,10/18/2020,all the things trump promised his cult which didn't happen.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n752,10/18/2020,america will need a formal truth and reconciliation process to heal from the traumatic political/cultural destruction trump &amp; gop have committed over the last four years in order to begin healing our nation. retweet if you agree.,United States of America,Georgia,GA,Donald Trump,1,0.2\r\n753,10/18/2020,analyst reveals who poses biggest legal threat to trump if he loses election  trump trumpslegaltroubles,United States of America,New York,NY,Donald Trump,0,-0.7\r\n754,10/18/2020,and your fathers campaign has failed to deny that trump is a lying son of a kkk member with racist beliefs and a habit of grabbing women where the don't want to be grabbed,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n755,10/18/2020,andykindler the moral of the story if you can fall for l. rob hubbards bullshit you can fall for trump.,United States of America,California,CA,Donald Trump,0,-0.7\r\n756,10/18/2020,anna makanju facebook public policy and legal expert. she leads efforts to ensure election integrity on the platform. previously anna special policy advisor for europe/eurasia to vp biden.  biden tech trump bigtech education trending,United States of America,California,CA,Donald Trump,1,0.2\r\n757,10/18/2020,another musician johnfogerty issues cease-and-desist order over realdonaldtrump donaldtrump use of  song 'fortunate son',United States of America,New York,NY,Donald Trump,0,-0.7\r\n758,10/18/2020,another vet of the doj quits accusing ag billbarr of abusing his power to sway the election for trump.  \xe2\x80\x9chis resentment toward rule-of-law prosecutors cannot be ignored; he seems determined to turn our democracy into an autocracy.\xe2\x80\x9d philiphalpern federal prosecutor san diego.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n759,10/18/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n760,10/18/2020,apparently lock her up is much more tasteful than kidnap her. trump,United States of America,Massachusetts,MA,Donald Trump,0,-0.3\r\n761,10/18/2020,ask a liberal to show you proof trump is a white supremes and then show them a list of democats that are real white supremeness they still follow the those democrats vote for them liberalismisamentaldisorder liberalismisamentaldisease liberalismistherealpandemic,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n762,10/18/2020,at this point the republican party is become a party of old scared white people who are clearly a minority desperately clinging to power and control and they will do anything to keep it gop maga trump,United States of America,California,CA,Donald Trump,0,-0.9\r\n763,10/18/2020,atrupar in wisconsin you have to be on a wait list just to be admitted to a hospital. trumpsamerica trumpvirus trumpvirusdeathtoll220k covid19 trumpsuperspreader trump,United States of America,Virginia,VA,Donald Trump,0,-0.2\r\n764,10/18/2020,atrupar trump speaking of not doing well... i heard nbc isn\xe2\x80\x99t doing so well either \xf0\x9f\x98\x82raitings nbctrumptownhall,United States of America,California,CA,Donald Trump,0,-0.5\r\n765,10/18/2020,bad math and liesafterlies by donaldtrump. 217918 totaldeaths. covid19 trumpcovid19 covidcoverup trumpliesamericansdie trumpknew trumpdoesnotcareaboutyou this is fuckedup donaldtrump and gop 57% of republicans believe the deaths rate is acceptable.,United States of America,California,CA,Donald Trump,0,-0.4\r\n766,10/18/2020,bboomer75 evanmcmullin buddy - whatever teamtrump is accusing joebiden of happens every weekend at maralago. millionaires paying the trump family $$ to rub shoulders with potus.  donaldtrump pardoning people found guilty of testifying in a case against him.  how is this not corruption,United States of America,New York,NY,Donald Trump,0,-0.6\r\n767,10/18/2020,bebe1969 manhattan_liz the entire roseanne barr thing was just so sad. if kristie gets her input from foxnews she literally has been brainwashed. okay i have no idea but surely she has to recognize a world in full-up panic mode and see that trump is on the wrong side of history. just sad.,United States of America,Washington,WA,Donald Trump,0,-0.6\r\n768,10/18/2020,bellamaria1776 the tech moguls are all in have pushed all the chips forward and think trump will lose. only god can help them when realdonaldtrump wins and i assure you god doesn\xe2\x80\x99t care one whit about those socialists.,United States of America,North Carolina,NC,Donald Trump,0,-0.6\r\n769,10/18/2020,bettemidler i actually won\xe2\x80\x99t lie you did an amazing job on hocuspocus i love you as an actress..but you seem obsessive over trump i get you hate the man..but you could clearly move out of the country ignore him even the amount of hate man\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n770,10/18/2020,biden has 11 mil followers to trump's 87 mil. yet biden is leading in almost every poll.    that seems strange to me.  election2020,United States of America,Ohio,OH,Donald Trump,2,0\r\n771,10/18/2020,biden trump votered trumppence2020landslide trump2020,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n772,10/18/2020,biden wants law and order anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,2,0\r\n773,10/18/2020,blackpoliceofficers break from policeunions over trump endorsements,United States of America,New York,NY,Donald Trump,2,0\r\n774,10/18/2020,boilermakers are pissed off at joebiden for lying about their endorsement. union unionstrong unionpatriotes endorsed trump america biden democrats,United States of America,California,CA,Donald Trump,0,-0.4\r\n775,10/18/2020,breitbartnews trump is the most un-american person we ever could have elected. not a patriot. an impostor.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n776,10/18/2020,bullshit he was a complicit coward.  you get no credit for helping trump destroy our country. and texas knows it. mjhegar is strong and has integrity. she won\xe2\x80\x99t cower in the corner. vote votehimout voteearly bidenharris2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n777,10/18/2020,butterflynma denvers_jessmua nbcnewspr savannahguthrie nbcnews what does it show about joe biden now that all this shit has come out about his son selling the us out to china russia and ukraine along with sex trafficking and pedophilia there is hard proof joe biden is a traitor and shouldn\xe2\x80\x99t even be able to run for president trump,United States of America,Georgia,GA,Donald Trump,0,-0.9\r\n778,10/18/2020,caravana pro biden recorre la calle 8 de miami. frente al versailles seguidores de trump,United States of America,New York,NY,Donald Trump,1,0.2\r\n779,10/18/2020,cdub470 solmemes1 it's noon here on the east coast and i am drinking. celebrating a joebiden victory. it is done and all you peeps can go on doubting it all and worrying about trump. let be known to all that i am the first to say it joebiden has won,United States of America,New York,NY,Donald Trump,2,0\r\n780,10/18/2020,check out robert rhodes iii's video tiktok democats liberal republicans trump sleepyjoe bidenharris2020,United States of America,Tennessee,TN,Donald Trump,2,0\r\n781,10/18/2020,china prepares to invade taiwan will trump step in election2020,United States of America,California,CA,Donald Trump,0,-0.2\r\n782,10/18/2020,chinese national whose instagram page features pictures of him wearing a vip pass at a 2018 rally for trump is now on u.s. soil after being charged with conspiring to distribute cocaine and laundering the illicit funds .. politics,United States of America,New York,NY,Donald Trump,0,-0.5\r\n783,10/18/2020,clearly tired of reading all you whiny babies complaining bout trump if you hate the man so much move out of the country or just deal with it..he\xe2\x80\x99s still gonna be our president for another 4 years so deal with it or move away. trump2020 democratsaredestroyingamerica,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n784,10/18/2020,cnn msnbc face a serious content problem. where do they pivot in a biden administration cheerleading for those in power is a tough sell. bashing mitch mcconnell only gets you so far election2020 trump thehill,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n785,10/18/2020,cnnpolitics they make him feel like a strong man. trump superspreader coronavirus ontyranny,United States of America,Washington,WA,Donald Trump,1,0.4\r\n786,10/18/2020,confused and sleepy trump tells michigan voters \xe2\x80\x98minnesota you better vote for me\xe2\x80\x99,United States of America,Connecticut,CT,Donald Trump,0,-0.8\r\n787,10/18/2020,crooked biden is trending trump copyright trump name and art for goldcoins sold in a white house shop not affiliated with the actual white house to sell goldtrumpcoins the owner has business dealing with government ai and militarydefense trumpshade,United States of America,California,CA,Donald Trump,0,-0.8\r\n788,10/18/2020,crowd chants 'lock her up' about whitmer at michigan trump rally - well with trump involved you know it will be interesting. express your opinions anonymously on,United States of America,New York,NY,Donald Trump,2,0\r\n789,10/18/2020,cult45 heretic enforcer warns senategop trump-disciples that she's keeping a list. cosen copolitics nrsc,United States of America,Arizona,AZ,Donald Trump,2,0\r\n790,10/18/2020,cwebbonline remember the tea party these idiots are out in full force for trump who is a huge spender,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n791,10/18/2020,dailycaller people don\xe2\x80\x99t get it .realdonaldtrump is insane and has to be gone. many of those voting for joebiden don\xe2\x80\x99t like him but it doesn\xe2\x80\x99t matter. trump needs to be replaced that\xe2\x80\x99s job one. 2020election,United States of America,California,CA,Donald Trump,0,-0.3\r\n792,10/18/2020,dan rather explains how actual rats are better than trump-supporting republicans trumperyresistance trump,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n793,10/18/2020,danrather trump djt vote  votered,United States of America,Massachusetts,MA,Donald Trump,1,0.1\r\n794,10/18/2020,danscavino realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n795,10/18/2020,danscavino realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n796,10/18/2020,davidfrum you seriously think that 5-9% of the trump base would vote for kanyewest instead  you must be using sarcasm because you are clearly too smart to believe that.,United States of America,Maryland,MD,Donald Trump,0,-0.9\r\n797,10/18/2020,day 1439 fuck trump,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n798,10/18/2020,ddale8 during the trumpfarewelltour the obnoxious tactic of repeating lies w/o documented facts continues to be used by trump &amp; is allowed by members of gop w/o criticism or correction. from the playbook of the most corrupt authoritarians past &amp; present. votebluetosaveourdemocracy,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n799,10/18/2020,ddale8 nut job trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n800,10/18/2020,dearauntcrabby yodaquoter joebiden pretty clear trump won\xe2\x80\x99t wait for biden\xe2\x80\x99s inauguration to leave the country if that\xe2\x80\x99s his plan.,United States of America,California,CA,Donald Trump,0,-0.3\r\n801,10/18/2020,debramessing losers cant draw five people to a rally. using the american people to support hunterbidensukrainescandal. and hunters drug addiction which is costly. donaldtrump,United States of America,Arizona,AZ,Donald Trump,0,-0.3\r\n802,10/18/2020,detroit _ the role of donaldtrump is being played by johnjames on flashpoint this morning. but every time he stumbles it looks like he's trying to remember the right answer from the gopcultplaybook. /2,United States of America,Michigan,MI,Donald Trump,0,-0.3\r\n803,10/18/2020,devil dogs will not be voting for trump...they say  vote bidenharris2020 ...telepathically if course,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n804,10/18/2020,dimafadma after losing the election trump should take his worthless mismanaged administration on the road &amp; all of his irresponsible irrelevant cronies can play for packed theatres in st. petersberg kotovo &amp; dubovka. trump will be putinspuppet &amp; vladimir the boss socialist puppeteeer,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n805,10/18/2020,disaster the trump 2016 rnc was a meeting of future federal felons.,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n806,10/18/2020,disgusting. trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n807,10/18/2020,dismantlenra i won't be watching to find out. just like i didn't watch the first one because i know fellow tweeters will keep me informed on all the new idiotic words and/or phrases trump pulls out of his butt,United States of America,Arizona,AZ,Donald Trump,0,-0.1\r\n808,10/18/2020,does any of this feel real lol thousands and thousands and thousands of people at trump speeches and 13 people at biden  stops along wherever he goes and the \xe2\x80\x9cprogramming\xe2\x80\x9d on tv called the \xe2\x80\x9cnews\xe2\x80\x9d says biden is leading are we in a simulation for morons,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n809,10/18/2020,does anyone else suspect trump is promoting superspreader rallies in order to intentionally make the pandemic uncontrollable he is that vindictive. he would kill hundreds of thousands more just so biden will face a country in an ungovernable condition.,United States of America,Michigan,MI,Donald Trump,0,-0.9\r\n810,10/18/2020,does anyone think fuckface von clownstick  trump  will ever be invited for a group shot like these trumpisalaughingstock,United States of America,Michigan,MI,Donald Trump,0,-0.5\r\n811,10/18/2020,don't you love how maga is smearing hunter biden without producing any proof remember when maga said that theatlantic story where trump called soldiers losers and suckers was fake because it had anonymous sources. who's the computer store owner,United States of America,Tennessee,TN,Donald Trump,0,-0.4\r\n812,10/18/2020,donald trump retweeted a spoof news story about twitter and joe biden and it's perfect  donaldtrump trump trumpisanidiot,United States of America,Ohio,OH,Donald Trump,1,0.8\r\n813,10/18/2020,donaldjtrumpjr trump is a snake oil salesman.  selling snake oil is what he does.,United States of America,Missouri,MO,Donald Trump,0,-0.6\r\n814,10/18/2020,donaldtrump  boasts he's leading in early voting  via mailonline,United States of America,New York,NY,Donald Trump,1,0.2\r\n815,10/18/2020,donaldtrump are you still hanging out with johntravolta at jumbolair&amp; how's the jet fuel business going. i hear you're building another another golf course in ocala florida&amp; your adding on to your airlineoh i forgot the world doesn't know yet do they to be continued.,United States of America,Indiana,IN,Donald Trump,0,-0.1\r\n816,10/18/2020,donaldtrump donaldtrump2020 maga maga2020 jesuschristislord republican conservative christians christianity trump2020landslidevictory redwave2020 redwarriors 4moreyears jesussaves praisegod praiseandworship godisgood trumprally america godblessamerica trump,United States of America,Nevada,NV,Donald Trump,2,0\r\n817,10/18/2020,donaldtrump tacruzao machucalo machukenlo culikitaka to\xc3\xb1orosario tonogalactico mambo merengue truvmg  altos de chav\xc3\xb3n dr,United States of America,New York,NY,Donald Trump,1,0.2\r\n818,10/18/2020,donaldtrump this senile old  fool is already gased from doing  super spreader rally after super spreader rally .you look really  desperate trump. you dont  even know what dam city or state your are  in .dementiatrump,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n819,10/18/2020,donaldtrump trump2020,United States of America,Wisconsin,WI,Donald Trump,1,0.3\r\n820,10/18/2020,dotard donaldtrump,United States of America,New York,NY,Donald Trump,1,0.3\r\n821,10/18/2020,dougmillsnyt realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n822,10/18/2020,dougmillsnyt realdonaldtrump trump is going to jail and then to hell.,United States of America,New Jersey,NJ,Donald Trump,0,-0.9\r\n823,10/18/2020,economy i have something to say to those who think trump is better for the economy. he inherited a rebounding economy from the obama/biden administration. due to his lack of leadership the american economy is currently in the toilet factsmatter getyourheadoutofyourbutt,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n824,10/18/2020,erictrump biden is not going to be president.  despite all the cheating blocking news stories lies by the democratic party &amp; fakenews the american people will speak on november 3rd. trump will win and the left will riot.  trump2020landslide trump republican america,United States of America,Rhode Island,RI,Donald Trump,0,-0.4\r\n825,10/18/2020,erictrump i think it is perfectly acceptable to refer to any trump as retarded.,United States of America,Florida,FL,Donald Trump,1,0.8\r\n826,10/18/2020,erictrump spreading lies about joebiden's former investment property is a desperate attempt by the failing trump crime family. eric keep it up you're a young con man in training who will look good in orange one day.,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n827,10/18/2020,evanmcmullin the irony is that what teamtrump is accusing joebiden of happens every weekend at maralago millionaires and billionaires paying the trump family $$ to mingle and rub shoulders with the potus.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n828,10/18/2020,executive order a stimulus and unemployment money for americans. you can take it out you run away stash you have donald j. trump.  so all you need to do is sign it and dont need senate or democrats approval. go big or go home. donaldtrump,United States of America,New York,NY,Donald Trump,1,0.1\r\n829,10/18/2020,feline catsagainsttrump cats catlover cat kittens kitten kitty pets pet meow moe cutecats cutecat cutekittens cutekitten meowmoe catsofinstagram caturday catsoftwitter trump pussycat kittycafe notmycat,United States of America,Texas,TX,Donald Trump,1,0.4\r\n830,10/18/2020,free speech rally marred by violence as counterprotesters storm event beat pro-trump demonstrators  foxnews,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n831,10/18/2020,funny he hates women as you can see from his constant attacks on them nasty this and that then he wants their support  trump is ill,United States of America,New York,NY,Donald Trump,0,-0.8\r\n832,10/18/2020,fyi trump is the living breathing embodiment of modern-day fascism again calling for the arrest of political opponents and those in office. the gop is refusing to condemn this. they are accomplices to fascism.,United States of America,Oregon,OR,Donald Trump,0,-0.6\r\n833,10/18/2020,georgewept the definition of conservative was perverted and hijacked to mean only those who were blindly allied with trump the person. whoever trump said was good at the moment was a hero. all others regardless of their sterling conservative records were called \xe2\x80\x9crino loser cuck.\xe2\x80\x9d,United States of America,Alabama,AL,Donald Trump,0,-0.3\r\n834,10/18/2020,glennkirschner2 annaflowerspi barr knows what happened to cohen. if i were barr &amp; i saw the bus coming i would consider throwing trump under it first.,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n835,10/18/2020,god could trump coronavirus advisor scottatlas be a more dangerous asshole than he is,United States of America,New York,NY,Donald Trump,0,-0.7\r\n836,10/18/2020,gop my 6 year old daughter heard trump shout open the schools. her response was \xe2\x80\x9cthey are open they\xe2\x80\x99re just online so our family doesn\xe2\x80\x99t get sick from corona virus.\xe2\x80\x9d trump is a lazy potus. trump coronavirus schools ontyranny superspreadertrump,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n837,10/18/2020,govchristie is a ridiculous lying trump ankle hugger. he works for trump. why is he on thisweekabc,United States of America,Michigan,MI,Donald Trump,0,-0.7\r\n838,10/18/2020,gremlins 3  gremlins in the white house gremlins gremlins3 trumpcrimefamily trump votebidenharris,United States of America,New York,NY,Donald Trump,2,0\r\n839,10/18/2020,gretchen whitmer trump 'inciting domestic terrorism' with 'lock her up' rally chant | us news | the guardian trump is so delusional and insane it should be lockhimup taxevasion taxfraud criminaltrump stealing his own campaignfinances,United States of America,Pennsylvania,PA,Donald Trump,0,-0.9\r\n840,10/18/2020,gunthergill teamsasse bensasse here's the bensasse venn diagram on his standing up to trump.,United States of America,California,CA,Donald Trump,0,-0.3\r\n841,10/18/2020,halfway thru shift cbsnewsradio w election2020 on top - trump attacks mich gov whitmer; she fires back. also rays take alcs dodgers force game 7 in nlcs.  tune us in or catch us digitally.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n842,10/18/2020,he is unbelievable. donaldtrump,United States of America,Tennessee,TN,Donald Trump,1,0.5\r\n843,10/18/2020,helenvotesgold show me any legislation even close to this that trump has passed,United States of America,California,CA,Donald Trump,0,-0.6\r\n844,10/18/2020,hello san francisco...it\xe2\x80\x99s confirmed. that boy trump owns 555 california st. aka the bofa bldg. i\xe2\x80\x99m never stepping foot in it again.,United States of America,California,CA,Donald Trump,0,-0.2\r\n845,10/18/2020,here\xe2\x80\x99s a thread full of trump supporters saying women shouldn\xe2\x80\x99t be involved in men\xe2\x80\x99s games. gtfooh,United States of America,Missouri,MO,Donald Trump,0,-0.2\r\n846,10/18/2020,hey jasonmillerindc trump has never directly denied the golden shower story either. never ever. all he said is there are no videos. foxnewssunday,United States of America,New York,NY,Donald Trump,0,-0.3\r\n847,10/18/2020,hey man realdonaldtrump i know truth or facts are not something that you care about ... but usa is 20 in the world  thanks for putting usa on the top of the world  trumplied200kdied trumpsthebiggestliarever trump trumpisanationaldisgrace,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n848,10/18/2020,how about some proof there donny your laptop \xe2\x80\x98scandal\xe2\x80\x99 from idiot son 2 was already debunked. and speaking of corruptpoliticians the muellerreport did not exonerate you &amp; charges will be filed when you\xe2\x80\x99re out of office. donaldtrump joebiden bidenharristosaveamerica,United States of America,California,CA,Donald Trump,0,-0.2\r\n849,10/18/2020,how are our elected leaders ignoring this rhetoric it\xe2\x80\x99s infuriating. what say you gop trump,United States of America,Indiana,IN,Donald Trump,0,-0.6\r\n850,10/18/2020,how can americans accept this from potus trump dangerous rightwingterror trumprally. donaldtrump bidenharris,United States of America,Illinois,IL,Donald Trump,2,0\r\n851,10/18/2020,how fucked up is the media trump has rally\xe2\x80\x99s over weekend and they all call the rally\xe2\x80\x99s \xe2\x80\x9csuperspreader events\xe2\x80\x9d - but the media never once called the riots or \xe2\x80\x9cpeaceful\xe2\x80\x9d protest \xe2\x80\x9csuperspreader events\xe2\x80\x9d - shameful.... trump,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n852,10/18/2020,how they avoid convictions in the past...and still try and try but trump has thrown a wrench in the system...time to wakeupamerica\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Donald Trump,0,-0.6\r\n853,10/18/2020,how weird is it that the blue collar middle america hero is a rich sleaze from ny who wears heavy makeup every day trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n854,10/18/2020,i admire &amp; respect you &amp; your work.. wait you voted for trump i hate you &amp; everything you've ever done,United States of America,New York,NY,Donald Trump,1,0.4\r\n855,10/18/2020,i agree...but all the other trump kids are in play,United States of America,Colorado,CO,Donald Trump,2,0\r\n856,10/18/2020,i hope they\xe2\x80\x99re not shocked when walter reed doesn\xe2\x80\x99t pick up the phone superspreader trump maga,United States of America,California,CA,Donald Trump,0,-0.6\r\n857,10/18/2020,i hope you nejoy rumptoons no 207 trump suburbanwomen,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n858,10/18/2020,i know some trump supporters deep down feel trapped. they've publicly voiced support for this man assigned their party's values to him and are now stuck. listen all u maga kag and trump2020landslide people. nobody has to know how u voted. end it and take ur party back later,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n859,10/18/2020,i need a back up plan for my family if donaldtrump cheats again in this election. there will be no country left.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n860,10/18/2020,i think trump actually was inventor of candycorn,United States of America,New York,NY,Donald Trump,2,0\r\n861,10/18/2020,i was genuinely curious so googled \xe2\x80\x9cthe good things that trump has done as president.\xe2\x80\x9d ya know trying to be fair. i had to find the closest credible source cause everything else was an opinion. vote,United States of America,Tennessee,TN,Donald Trump,1,0.1\r\n862,10/18/2020,i will not raise taxes. i will eliminate trump\xe2\x80\x99s tax cuts. bidenharris2020,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n863,10/18/2020,i wonder if trump supporters learned to read braille yet \xf0\x9f\xa4\x94,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n864,10/18/2020,i'll take biden's warm-fuzzy approach over trump's hateful rhetoric any day.,United States of America,California,CA,Donald Trump,0,-0.7\r\n865,10/18/2020,i'm not sorry one bit for saying this...if the largest number of people refusing to wear masks are trump supporters at or outside of rallies i care nothing about your politics and everything about your ignorance selfishness and stupidity. you are the problem. coronavirus,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n866,10/18/2020,icecube biden\xe2\x80\x99s had 47 yrs to shore it up.  kamala padded her stats with low level crime incarcerations...you know what community that effected.  trump in 3 yrs has done more for black america through actionsyou waiting for more promises cred matters trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n867,10/18/2020,icecube got his seat at the republican table trump gop,United States of America,Georgia,GA,Donald Trump,2,0\r\n868,10/18/2020,icecube i saw you on the news it seems your reasoning to side with trump thetraitor is a plan to help the black communities.  trump doesn't have a plan so i'm confused as you know bidenharris2020 has a plan. please go on their website.  just a suggestion,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n869,10/18/2020,if the famous people actually do what they say &amp; leave the country if trump wins then the voice of liberalism will be so much quieter. but have ya noticed hollywood hasn't come out as strong for biden than they did for hillary. could there be a division among their ranks,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n870,10/18/2020,if trump is such a bad president then why hasn\xe2\x80\x99t anything bad happened in 2020,United States of America,California,CA,Donald Trump,0,-0.6\r\n871,10/18/2020,if you can't vote for joe because of something he said in 1973 think about what the other guy said. five minutes ago.  maga2020 maga2020landslidevictory trump2020landslide trump trumplandslide trumptownhall trumprally trumpcovidhoax votebiden,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n872,10/18/2020,ihgrewards new offers pandemic end fintok lunacy trump tax returns - travel blogger buzz,United States of America,Michigan,MI,Donald Trump,2,0\r\n873,10/18/2020,ilhanmn so you agree with trump. trump2020,United States of America,Texas,TX,Donald Trump,1,0.1\r\n874,10/18/2020,in 2016 you voted for donald trump now 4 years later your asking yourself wtf was i thinking don\xe2\x80\x99t worry we all make mistakes you can correct that error on nov-3rd biden - harris trump biden,United States of America,New York,NY,Donald Trump,0,-0.9\r\n875,10/18/2020,in oregon... - voters flock to drop boxes days after ballots mailed  portland pdx orpol beaverton gresham tedwheeler sarahiannarone trump biden gop democrats,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n876,10/18/2020,in place of trump \xf0\x9f\x98\x86,United States of America,New Mexico,NM,Donald Trump,1,0.4\r\n877,10/18/2020,in today\xe2\x80\x99s mitchellminute i discuss why asking donaldtrump to denounce whitesupremacy is pointless. four words don\xe2\x80\x99t change a lifetime of racism.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n878,10/18/2020,is president donald trump or joe biden better for the stockmarket,United States of America,California,CA,Donald Trump,0,-0.1\r\n879,10/18/2020,it looks like hope hicks is realdonaldtrump\xe2\x80\x99s new first lady.  newfirstladyhicks partnerincrime teamcovid trump2020 trump 2020election vote\xc2\xa0 4moreyears americafirst trumplied200kdied bidenharris2020 joebiden trumpcrimefamily maga keepamericagreat,United States of America,California,CA,Donald Trump,2,0\r\n880,10/18/2020,it's true that donaldtrump gets things done quickly remember back in march when 215000 more people were alive and like snap seven months later they're all dead,United States of America,California,CA,Donald Trump,0,-0.6\r\n881,10/18/2020,it\xe2\x80\x99s not going away trump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,0,-0.6\r\n882,10/18/2020,i\xe2\x80\x99m attending working families party\xe2\x80\x99s event \xe2\x80\x9cthe game plan election and beyond teach-in\xe2\x80\x9d \xe2\x80\x93 sign up now to join me wfp4themany election2020 electionday electioninterference trump countthevotes electiontransparency electionresults 2020election,United States of America,California,CA,Donald Trump,1,0.2\r\n883,10/18/2020,i\xe2\x80\x99m confused. i thought the crips the bloods and ms-13 were the only gangs in america. these dangerous gang members are white you say why isn\xe2\x80\x99t donaldtrump talking about these menaces to society lawandorder whitesupremacists  via buzzfeednews,United States of America,California,CA,Donald Trump,0,-0.7\r\n884,10/18/2020,jaketapper cnnsotu trump has been kept in such a bubble that he really thinks he\xe2\x80\x99s going to win. his advisors won\xe2\x80\x99t dare tell him how bleak it looks for him and he only watches fox news. i want to feel sorry for him. but i don\xe2\x80\x99t feel sorry for him. no one should. voteblue bidenharris trump vote,United States of America,California,CA,Donald Trump,0,-0.5\r\n885,10/18/2020,jaketapper why do you let this boorish lying trump on your show,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n886,10/18/2020,jamesromano926 nycmayor billdeblasio did. covid19 is only contagious when you are standing up. he also figured out coronavirus is contagious if you go to a trump rally a church or the gym but it isn\xe2\x80\x99t contagious if you go to an antifa or blacklivesmatter \xe2\x80\x9cpeaceful protest.\xe2\x80\x9d,United States of America,New York,NY,Donald Trump,0,-0.1\r\n887,10/18/2020,jasonmillerindc borisep realdonaldtrump trump is a traitor. he refuses to do the work to keep this country safe. such disrespect to all of the folks on the frontline across this country treating covid-19 patients. putrid. trump superspreadertrump coronavirus ontyranny,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n888,10/18/2020,jeffmason1 jasonmillerindc realdonaldtrump jason show your true support. post pictures of yourself standing in the middle of the people at every trump rally. afraid,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n889,10/18/2020,jenncmartinez even a few of my crazy trump ammosexuals neighbors are scared of the pending civilwar2. the others are really excited. not one of those sprouting a ar15boner have ever been to war. the scared ones all 4 of them are ex-military.,United States of America,Idaho,ID,Donald Trump,2,0\r\n890,10/18/2020,jennycohn1 makeamericagreatagain maga2020landslidevictory 25thamendment kag2020 trump trumpisnotamerica,United States of America,California,CA,Donald Trump,2,0\r\n891,10/18/2020,jhogangidley trumpwarroom realdonaldtrump let\xe2\x80\x99s see these boats should belong to those based on the crooked calculation of trump campaign 82% of americans who make less than $400000 or do they belong to those hardworking men and women who sacrifice their health for him in his crowded rallies neither is true,United States of America,California,CA,Donald Trump,0,-0.8\r\n892,10/18/2020,jimcarrey aka joe biden aka mr. rogers aka the painter guy  mikeyfuntime aka george stephanopoulos  katemckinnon aka savannah guthrie abfalecbaldwin as donaldtrump and mayarudolph aka kamala harris \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbc\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbc\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbc\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbc\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbc\xf0\x9f\x98\x83\xf0\x9f\x98\x83\xf0\x9f\x98\x83\xf0\x9f\x98\x83\xf0\x9f\x98\x83 what a cold open \xf0\x9f\x98\x82\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82\xf0\x9f\xa4\xa3 snl,United States of America,New York,NY,Donald Trump,2,0\r\n893,10/18/2020,jimforjesus potus please do not bring jesus israel or the jews into this. lord save us all from evil save us from trump. amen.,United States of America,New York,NY,Donald Trump,1,0.2\r\n894,10/18/2020,jlo vote trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8fourmoreyears donaldtrump maga2020,United States of America,New York,NY,Donald Trump,2,0\r\n895,10/18/2020,joe rogan on trump saying he'd debate biden on the show joerogan trump joebiden politician businessman,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n896,10/18/2020,joebiden &amp; barackobama left trump w/ the longest stretch of new jobs then republican trump destroyed it. like billclinton left a great economy &amp; bushjr destroyed that. only under a democratic potus have we balanced budget &amp; pd down debt in last 50 yrs it was clinton,United States of America,Nevada,NV,Donald Trump,0,-0.4\r\n897,10/18/2020,joebiden at a rally last week trump threatened to flee the country if you win he doesn\xe2\x80\x99t realize many countries have extradition treaties with the u.s.,United States of America,California,CA,Donald Trump,0,-0.8\r\n898,10/18/2020,joebiden i will vote for trump,United States of America,California,CA,Donald Trump,2,0\r\n899,10/18/2020,joebiden is running for president.  donaldtrump  is trying to not become jail bait  bunkerboy commonwealth,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n900,10/18/2020,joebidencorruption if you're still voting for this man and you pushed the russiahoax against trump well you now have your perpetrator do you feel compelled to redirect your efforts to bring joebidencrimefamily down in lieu of trump or u still lost,United States of America,Tennessee,TN,Donald Trump,0,-0.8\r\n901,10/18/2020,joeff53 rickhasen trump many honorable individuals accepted executive branch appointments in hopes of moderating trump's excesses; barrett has no such defense in accepting a scotus seat  from this lawless president and the hypocritical senate republicans.,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n902,10/18/2020,joelockhart cnn msnbc real presidents are for wethepeople realdonaldtrump is for methepeople trump,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n903,10/18/2020,johnstossel love our potus and his trump family . unlike many americans who are in opposition i harbor a great deal of admiration appreciation and gratitude for realdonaldtrump and the maga results he achieves for usa \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 he has earned another four 4 years in office at whitehouse,United States of America,Oregon,OR,Donald Trump,1,0.9\r\n904,10/18/2020,just another sunday....losertrump trump bidenharris2020tosaveamerica,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n905,10/18/2020,kanyewest absolutely not. the nba finals was lakers vs heat. i really wanted the suns to win... \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f this race is between trump and biden. losertrump continues to be disastrous for america.,United States of America,Arizona,AZ,Donald Trump,0,-0.4\r\n906,10/18/2020,kevinlyfather are we sure he doesn\xe2\x80\x99t drink trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n907,10/18/2020,kirstie alley church of scientology trump,United States of America,Arizona,AZ,Donald Trump,2,0\r\n908,10/18/2020,kirstie alley is supporting president trump and some people are not happy.,United States of America,Nevada,NV,Donald Trump,0,-0.8\r\n909,10/18/2020,kirstiealley realdonaldtrump kirstie alley is a cult follower it\xe2\x80\x99s no surprise that she follows the cult of personality donaldtrump,United States of America,California,CA,Donald Trump,1,0.1\r\n910,10/18/2020,kirstiealley realdonaldtrump makes perfect sense in a  world where down is up wrong is right and white is even whiter... trump,United States of America,Pennsylvania,PA,Donald Trump,1,0.2\r\n911,10/18/2020,kirstiealley trump realdonaldtrump  should be your next guest,United States of America,Oregon,OR,Donald Trump,1,0.5\r\n912,10/18/2020,la pandemia del coronavirus ha alterado la forma en que grupos c\xc3\xadvicos intentan registrar y eventualmente movilizar votantes latinos.  california donaldtrump elecciones estadosunidos presidente washington,United States of America,California,CA,Donald Trump,2,0\r\n913,10/18/2020,lalate the heck he is. msc executiveorder donaldtrump,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n914,10/18/2020,laprogressive latimes cnnpolitics newyorktimes_on libertarian corona makeamericagreatagain republicans biden democracy elections media like kirstiealley joebiden meme trump2020nowmorethanever supermantrump superman supermanmot trump vote,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n915,10/18/2020,laprogressive latimes cnnpolitics newyorktimes_on libertarian corona makeamericagreatagain republicans biden democracy elections media like kirstiealley joebiden meme trump2020nowmorethanever supermantrump superman supermanmot trump vote,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n916,10/18/2020,laratrump 1 big sick trump family reminds me of the berniemadofffamily. not gonna end well.,United States of America,California,CA,Donald Trump,0,-0.3\r\n917,10/18/2020,leslieoo7 they been blocking lots of people even twitter blocked me and trump gets to tweet all his lies and hate his tweets are still up,United States of America,California,CA,Donald Trump,0,-0.8\r\n918,10/18/2020,lilienfeld warned of the dangerous and disastrous combination of traits in psychopaths fearless dominance meanness and impulsivity. they act without regret or regard for the suffering of others exactly like trump &amp; his cabal of racist magats.,United States of America,Hawaii,HI,Donald Trump,1,0.2\r\n919,10/18/2020,lindsey graham runs for his life  via politico southcarolina liarlindsey graham lindseygraham trump cheat liar lies jamieharrison4senate,United States of America,New York,NY,Donald Trump,0,-0.8\r\n920,10/18/2020,lindyli davidmweissman thats so sad its insane lol. listen up trump supporters once you're at the polling place he doesn't know what u do. end it and take ur party back and try to repair the label of gophypocrisy he's given you. sundayvibes,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n921,10/18/2020,live look at the final two weeks of the trump trump2020 campaign...,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n922,10/18/2020,macron should be schooled... but bojo n trump too far gone... humane leadership newzealand,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n923,10/18/2020,maga trump hear this all you trump zombies. fortunateson,United States of America,California,CA,Donald Trump,2,0\r\n924,10/18/2020,mariabartiromo foxnews sundayfutures gopleader what a clown. how about investigating your love trump friendship with the late jeffrey epstein and maxwell is it your goal to go as low as possible without any journalistic regards you just did it congrats of being a cult45 kool aid drinker. sad,United States of America,New York,NY,Donald Trump,0,-0.6\r\n925,10/18/2020,mariana057 isn\xe2\x80\x99t trump old enough to be kelly\xe2\x80\x99s grandfather,United States of America,California,CA,Donald Trump,0,-0.5\r\n926,10/18/2020,marisoltorresrs claudiababyg summerisunique shellpartduex drodvik52 kellabel nancymo268 martinsuz customcore7 brensumner katibug817 wifeyspice90 islandgirlprv islandgirldev ampmtalk malcolmdonaghy costello_71 jblnt1 surge4earth reglissade bananashaysh thank you marisol you\xe2\x80\x99re wonderful\xf0\x9f\x92\x9c\xf0\x9f\x8c\xba\xf0\x9f\x92\x99.  trump &amp; the gop have a leak let\xe2\x80\x99s make them sink,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n927,10/18/2020,marshablackburn .marshablackburn show us that you are willing to get covid19 for trump maga loudobbs,United States of America,California,CA,Donald Trump,1,0.1\r\n928,10/18/2020,matthewjdowd govwhitmer hey matt i moved out of michigan and moved to texas because its a shit hole. she killed family members in nursing homes and made my friends loose their business. trump 2020.,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n929,10/18/2020,maya4bernie trump absorbed the federal reserve into the treasury in march. he is the only president who has enacted two executive orders against human trafficking. he has gotten rid of many corrupt career politicians. i was a bernie bro and now i endorse trump because i did research. trump,United States of America,California,CA,Donald Trump,2,0\r\n930,10/18/2020,maybe realdonaldtrump should take notes from astros u can't lie and cheat forever. u can't escape your fate \xf0\x9f\x91\xb9\xf0\x9f\x91\xb9 won't win donaldtrump astros alcs2020 vote makeamericagreatagain sundayservice,United States of America,Maryland,MD,Donald Trump,0,-0.8\r\n931,10/18/2020,miafarrow cosmokatz69 trump when he forgot the aquanet,United States of America,California,CA,Donald Trump,0,-0.2\r\n932,10/18/2020,miafarrow fugly trump is so extremely delusional insecure narcissistic sociopathic and psychopathic he has the audacity to claim he looks better than jfk actually bebroke brokeasstrump is one of the ugliest and morbidly obese *presidents we have ever had.,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n933,10/18/2020,michael68529417 dineshdsouza realdonaldtrump it\xe2\x80\x99s possible this hunterbidenlaptop takes hold - teamtrump is desperate.  the circumstances is dodgy of fuck - but they just need a wobble from joebiden to exploit. as i said everything donaldtrump is accusing biden of doing - he does openly  it\xe2\x80\x99s like \xe2\x80\x9chuh\xe2\x80\x9d maga,United States of America,New York,NY,Donald Trump,0,-0.8\r\n934,10/18/2020,michigan hategroups terrorists terrorism gretchenwhitmer governorwhitmer twitter jack trump votehimout,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n935,10/18/2020,michigan\xc2\xa0governor\xc2\xa0gretchenwhitmer says trump continues to encourage 'domestic terrorism' with rhetoric. politics,United States of America,New York,NY,Donald Trump,0,-0.8\r\n936,10/18/2020,more lies from the trump family. donaldtrump cult45 byedon2020,United States of America,Iowa,IA,Donald Trump,0,-0.2\r\n937,10/18/2020,my new article morningbrussels on why donaldtrump's denunciation of whitesupremacists is pointless. racism townhalls,United States of America,New York,NY,Donald Trump,0,-0.8\r\n938,10/18/2020,m\xc3\xa1s choque entre los votantes de biden y los de trump en miami,United States of America,New York,NY,Donald Trump,0,-0.5\r\n939,10/18/2020,nadinef45095143 more goplies neverforgot and don\xe2\x80\x99t let them walk back their support of trump\xe2\x80\x99s treacherous and injurious hateful actions. vote voteearly voteearlyremovetrump voteeveryrepublicanout,United States of America,California,CA,Donald Trump,0,-0.2\r\n940,10/18/2020,natesilver538 we\xe2\x80\x99re voting for hunter biden\xe2\x80\x99s dad - joe. one corrupted kid even is true is better than the whole dam trump family that\xe2\x80\x99s has 6 kids - a minimum 6x more corruption on top of their corrupted dad trump2020 trump maga erictrumpukrainescandal trumpcrimefamily trumptaxreturns,United States of America,California,CA,Donald Trump,0,-0.3\r\n941,10/18/2020,newtgingrich trump better able than biden to lead us to economic recovery from coronavirus  $spy $dia $qqq $vti $vtv $vlue $tlt $ief $tyx $tnx $gld $gdx $vxx maga2020 trump2020 bidencrimefamily bidencorruption whereshunter bidengate bidenharris,United States of America,California,CA,Donald Trump,1,0.5\r\n942,10/18/2020,not campaign fluff or punditry but a more scholarly analysis of trump china policies there are warts,United States of America,North Carolina,NC,Donald Trump,0,-0.3\r\n943,10/18/2020,not new memes but i like them nonetheless. trump trumpvirus,United States of America,Illinois,IL,Donald Trump,1,0.2\r\n944,10/18/2020,nyt downplays trump admin efforts to provoke conflict with iran &amp; when it reports on the danger it relies on the israel lobby for spin. judithmiller callimachi moments. msm,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n945,10/18/2020,oc today trump lands in orange county; critics supporters rally nearby \xe2\x80\x93 orange county register,United States of America,California,CA,Donald Trump,0,-0.2\r\n946,10/18/2020,of course racists support trump. they have a history of claiming success built by black people.,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n947,10/18/2020,oh sorry you meant trump,United States of America,California,CA,Donald Trump,0,-0.5\r\n948,10/18/2020,ohiostate nwo thebattle; theprince;...oh come n see oh come cross that sea 4 if iowa doesn't vote 4 trump then theemperor thepharaoh will become iowa's new corngod n he will want many offerings of flesh n gold n souls n corn so vote4trumpiowa or nocorn...,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n949,10/18/2020,ohiostate nwo thebattle; theprince;...oh come n see oh come cross that sea 4 u see theemperor's plan is 2 keep trump in themiddlewest in order to hit michigan over n over n over again in order to rescuemichiganfromthewitches n thecentipede n herridersneggs...,United States of America,Ohio,OH,Donald Trump,0,-0.4\r\n950,10/18/2020,ok if the 2 of them want to leave the us then i would gladly come back asap  so dat it wouldnt b overpopulated  lemme know asap donaldtrump thank you i m packing lol i cant wait,United States of America,Arizona,AZ,Donald Trump,1,0.2\r\n951,10/18/2020,omg \xf0\x9f\x98\xae watching the tiffany trump skit.....hilarious \xf0\x9f\x98\x82 snl saturdaynightlive weekendupdates nbcsnl donaldjtrumpjr trump2020 maga2020 4moreyears trump dissertation discoverdior,United States of America,New York,NY,Donald Trump,1,0.4\r\n952,10/18/2020,on left map red shows states won by trump in \xe2\x80\x9816. on right map red shows states that currently have record covid19 hospitalizations. trump tells people they don\xe2\x80\x99t need to wear masks or socially distance. how\xe2\x80\x99s that working out for people who listen to him vote bidenharris,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n953,10/18/2020,ooo it looks like hurts trump,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n954,10/18/2020,ossoff wow.  that is an offensive thing for sendavidperdue to say.  although i feel it is part of an organized gop effort to appeal to the racist voter block. trump has scare ads out about the possibility of senkamalaharris being president. who is that meant to motivate,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n955,10/18/2020,ouch.. trump draintheswamp he just had the wrong address. \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n956,10/18/2020,our enemies see america at it's weakest point as the coronavirus pandemic continues to take thousands of americans republicans democrats congress trump biden pence mcconnell pelosi activatethenationalguard nationalguard army navy coastguard airforce defcon covid19,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n957,10/18/2020,pastorlocke refusing to see the obvious anti-semitic face of trump supporters.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n958,10/18/2020,pastorlocke then it would be a good move to denounce the anti-semitism of trump supporters.   or recognize science.  shalom.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n959,10/18/2020,pattihatestrump yep. i got suspended for a week for saying i would punch someone if they purposely spit on my family.  but trump can incite white supremacists to kill a governor and it's all okay,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n960,10/18/2020,pelosi trump\xe2\x80\x99s rhetoric at michigan rally was 'irresponsible' --he is 'poison' trump politicalparties politics,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n961,10/18/2020,please stay focused black men please vote black men they want you not to vote because it helps trump blackmenvote blacklivesmatter blm votebiden bidenharris trump sundayvibes elections2020 election joewillleadus kamalaharris,United States of America,New York,NY,Donald Trump,0,-0.6\r\n962,10/18/2020,political analyst is trump running a campaign from 1954 - cnn trump politicalviews politics,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n963,10/18/2020,postmates $100 credit code 4p1iu      food delivery credit sunday wknd brunch lunch trump biden 2020 corona,United States of America,California,CA,Donald Trump,1,0.1\r\n964,10/18/2020,potus in los angeles hollywood liberals are  regurgitating.  they really think they own california california will be redhollywood trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n965,10/18/2020,potus tithing and what won't be known by most fakenewsmediaclowns is it won't be listed as a tax write-off on his taxes. just another time trump has given cash and not asked for anything. votered2020 generosity,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n966,10/18/2020,president donaldtrump is attending services at the nondenominational international church of lasvegas.,United States of America,Nevada,NV,Donald Trump,2,0\r\n967,10/18/2020,president trump carries on with rallies as health experts warn against large gatherings during pandemic. \xe2\x80\x94\xe2\x80\x94&gt;  via youtube,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n968,10/18/2020,president trump lands at john wayne airport in about 15 minutes. i\xe2\x80\x99m listening in to john wayne tower on,United States of America,California,CA,Donald Trump,2,0\r\n969,10/18/2020,projectlincoln because trump knows he will be prosecuted,United States of America,New York,NY,Donald Trump,0,-0.5\r\n970,10/18/2020,projectlincoln cooked. just like his presidency. trump votebiden,United States of America,California,CA,Donald Trump,2,0\r\n971,10/18/2020,projectlincoln those mini strokes trump had are showing signs.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n972,10/18/2020,qagamemnon reports that trump mitchmcconnell lindsaygraham tedcruz and other gop leaders have decided to stop feasting on the corpses of covid19 victims during their satanic rituals because \xe2\x80\x9cno matter how long you cook them they\xe2\x80\x99re still too damn chewy\xe2\x80\x9d,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n973,10/18/2020,rawstory trump just learned this woman\xe2\x80\x99s name a week ago. but biden has cognitive issues laratrump is pathetic. trumpcrimefamily trump trumpislosing trumpisnotwell trumpisalaughingstock,United States of America,Virginia,VA,Donald Trump,0,-0.3\r\n974,10/18/2020,realdonaldtrump  i know you know... but  shout out to the huge trump\xf0\x9f\x99\x87 support in california and newyork they are movers there \xf0\x9f\x92\xaa\xf0\x9f\x92\xaa\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 maga weloveyou,United States of America,Michigan,MI,Donald Trump,1,0.1\r\n975,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenhar,United States of America,California,CA,Donald Trump,1,0.1\r\n976,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler,United States of America,California,CA,Donald Trump,1,0.1\r\n977,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler,United States of America,California,CA,Donald Trump,1,0.1\r\n978,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n979,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n980,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n981,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n982,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n983,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n984,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n985,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n986,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n987,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n988,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n989,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n990,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n991,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n992,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n993,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n994,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n995,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n996,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n997,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n998,10/18/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n999,10/18/2020,realdonaldtrump didn't trump's campaign say biden was just like mr. rogers,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1000,10/18/2020,realdonaldtrump has been pushing toxic ads on television saying popular presidential record.  trump doesn\xe2\x80\x99t believe people are intelligent and recognize what he is doing. embarrassing to have a president who is a moron. votebidenharris2020,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1001,10/18/2020,realdonaldtrump has created more enemies than any other american in history trump,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1002,10/18/2020,realdonaldtrump has never looked better.\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa1\xf0\x9f\x99\x8c\xf0\x9f\x8f\xbd\xf0\x9f\x8c\x8a\xf0\x9f\x8c\x8a donaldtrump gop,United States of America,Florida,FL,Donald Trump,1,0.8\r\n1003,10/18/2020,realdonaldtrump hey demented donaldtrump do you read the responses to your tweets a lot of people hates your guts.  that\xe2\x80\x99s all. good night.\xf0\x9f\x92\xa4,United States of America,California,CA,Donald Trump,2,0\r\n1004,10/18/2020,realdonaldtrump is a psycho trump - cpac wsj usatodaydc nypost foxnewstalk,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1005,10/18/2020,realdonaldtrump joebiden laptop comey clintonemails four years ago trump pulled same phony stunt making false charges. this blind repairman and story stinks of dirty trickster rogerstone,United States of America,California,CA,Donald Trump,0,-0.8\r\n1006,10/18/2020,realdonaldtrump jonvoight donald trump loves the usa for his own selfish interests. his lack of integrity and his incompetence has caused great grief to americans. djt should be held accountable for his failure in leadership. realdonaldtrump teamtrump trumpwarroom trump election2020,United States of America,California,CA,Donald Trump,0,-0.2\r\n1007,10/18/2020,realdonaldtrump nypost anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1008,10/18/2020,realdonaldtrump nypost anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1009,10/18/2020,realdonaldtrump nypost the head of the most inept crime family in america is talking corruption what a joke. the trump crime family doesn't rely on fear it relies on hatred racism and division.  it's simple. if trump wins a second term it will signal the end of america. trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1010,10/18/2020,realdonaldtrump this is the first i'm hearing of you calling a politician corrupt. please go on. we're all interested to see where this goes trump trumpisaloser bidenharris2020 bidenharristosaveamerica,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1011,10/18/2020,realdonaldtrump trump is killing texas anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,0,-0.3\r\n1012,10/18/2020,realdonaldtrump trumpisanationaldisgrace trump the republic party you once knew - no longer exists,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1013,10/18/2020,realdonaldtrump trumpliesamericansdie trump ...has sacrificed american lives with endless lies. donald trump is a corrupt president - and the trump family is a criminal enterprise. this makes richard nixon look like amateur hour,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1014,10/18/2020,realdonaldtrump we hate you bye felicia trump trump2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.9\r\n1015,10/18/2020,realdonaldtrump who organized this tactic to sway voters surely it wasn't trump thetraitor  he actually can't put a thought into words,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1016,10/18/2020,remember when giuliani was in ukraine digging up dirt during trumps bribing biden email episode illustrates risk to trump from giuliani -   steve bannon good sunday sundayfunday sundaymorning sundayvibes trump donaldtrump gop,United States of America,Florida,FL,Donald Trump,2,0\r\n1017,10/18/2020,repmattgaetz we all want to open up america the difference here is that joebiden knows how to do it safely trump doesn\xe2\x80\x99t and he proved his incompetence again and again,United States of America,California,CA,Donald Trump,0,-0.7\r\n1018,10/18/2020,repmattgaetz yes you and trump are opening it up to coronavirus all the time as your dear leader keeps destroying lives to present the illusion that he is winning a battle he is clearly losing. you and he deserve to be cellmates. votebidenharris2020,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1019,10/18/2020,robmccutcheon_ joebiden let\xe2\x80\x99s kick trump out,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1020,10/18/2020,rwtrollpatrol new yorkers have always known about this. trump owes nyc so much money that he had to go elsewhere deals with dictators when he was unable to continue getting loans in the us. realdonaldtrump is scared about the ny court coming after him...that\xe2\x80\x99s why he \xe2\x80\x9cran away\xe2\x80\x9d to florida.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1021,10/18/2020,ryanstruyk because trump is a russianasset,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1022,10/18/2020,sape6969 i have.. i have a lot of friends on the west coast and from what i\xe2\x80\x99ve heard there\xe2\x80\x99s trump rallies all over ca &amp; the west coast..  i think there\xe2\x80\x99s a serious chance california.. and new york.. are going red.. redwave trump2020landslide,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1023,10/18/2020,savannahguthrie terrific journalism at trump town hall. watched with my daughter to show her how it's done. thank you for fighting for the truth.,United States of America,Florida,FL,Donald Trump,1,0.6\r\n1024,10/18/2020,saw this cool trump winnebago at the donaldtrumpjr rally today in ormondbeach florida,United States of America,Idaho,ID,Donald Trump,1,0.8\r\n1025,10/18/2020,scaramucci trumpgravedancer trump,United States of America,New York,NY,Donald Trump,2,0\r\n1026,10/18/2020,seems to me there are a whole lot of people who should be suing the trump campaign for slander and for the illegal use of their songs and faces.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1027,10/18/2020,seen in downtown manhattan \xf0\x9f\xa4\x94 trump trumppence2020,United States of America,New York,NY,Donald Trump,2,0\r\n1028,10/18/2020,seen in sherman oaks ca. are these cult folllowers trumpcult trump crazypeople trumplovers losangeles bidenharris2020 trumpworshippers,United States of America,California,CA,Donald Trump,0,-0.2\r\n1029,10/18/2020,senjoniernst .senjoniernst show us that you are willing to get covid19 for trump loudobbs,United States of America,California,CA,Donald Trump,1,0.2\r\n1030,10/18/2020,senronjohnson speaks as trump  draws thousands many without masks to janesville as cases of coronavirus soar in wisconsin  via journalsentinel,United States of America,Wisconsin,WI,Donald Trump,1,0.1\r\n1031,10/18/2020,seriously choose your arguments thejtlewis you are comparing the all american guy joebiden to donaldtrump the most commonly known immoral and greediest man in america. who has been given everything from day one and never had to work ever in his life. think before you tweet,United States of America,Arizona,AZ,Donald Trump,0,-0.1\r\n1032,10/18/2020,she\xe2\x80\x99s making some great points here. trump maga2020,United States of America,California,CA,Donald Trump,1,0.4\r\n1033,10/18/2020,snl takes on dueling trump and biden townhalls in its coldopen  via voxdotcom news tv television elections2020 2020election vote bidenharris2020 trumpisalaughingstock,United States of America,Texas,TX,Donald Trump,2,0\r\n1034,10/18/2020,so do trump supporters vote wearadamnmask washyourhands socialdistancing,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n1035,10/18/2020,so trump still owes money to tucson az from a campaign rally in 2016 according to mayor regina romero- shocking no one,United States of America,North Carolina,NC,Donald Trump,0,-0.7\r\n1036,10/18/2020,so why ismike love allowed to steal the beachboys name. that is a sham just like conman  trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1037,10/18/2020,soaring unemployment because of trump's blundering.,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n1038,10/18/2020,some of y\xe2\x80\x99all are going to have very little left to tweet about if trump is voted out of office.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1039,10/18/2020,somebody come get their president donaldtrump hhucit,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n1040,10/18/2020,spot on.  maga trump,United States of America,Florida,FL,Donald Trump,1,0.4\r\n1041,10/18/2020,spread of electric cars sparks fights for control over charging - wsj utilities  electriccars electricvehicles chargingstations california biden trump climatechange conedison exelon electricitybills utilitybills electrification,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1042,10/18/2020,stevehofstetter billybaldwin in effect trump\xe2\x80\x99s words and actions are killing his supporters. interesting re-election strategy. bluewave,United States of America,Louisiana,LA,Donald Trump,2,0\r\n1043,10/18/2020,stevekerr joebiden trump and his sycophants make every corrupt politician and political appointee look like amateurs.  traitorinchief grifterinchief vote bidenharris \xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote out the trump devastation maga,United States of America,California,CA,Donald Trump,0,-0.4\r\n1044,10/18/2020,stop listening to badentertainers delivering what is fakenews\xf0\x9f\x98\xb3look deep\xf0\x9f\xa7\x90pharma 'friends' funding fauci nih agenda\xf0\x9f\x98\x9fcdc digging up dead alaskantribes to duhhhhhh snag 1917 disease to bring  back to life the gof gainoffunction fraud obama reopened &amp; dumped on to trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1045,10/18/2020,stunning in scope...  votehimout trump,United States of America,New York,NY,Donald Trump,1,0.8\r\n1046,10/18/2020,stupid the deal is for all states  trump playing games stop it your not voting to help americans morally bankrupt we will vote you out senategop  senatemajldr do your f-jobs  housegop gopleader help americans now join speakerpelosi housedemocrats  &amp; senatedems,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n1047,10/18/2020,talking federalcourts and impact of trump then the state of philly hospitality and finally men and domesticviolence.  kywnewsradio,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1048,10/18/2020,tapstrimedia oh i was actually talking about 2009 when obama was trying to get us out of the great recession but was stuck with the bush tax cuts. back then trillion-dollar deficits were bad... but once trump got in &amp; started spending like a drunken sailor they forgot about that.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1049,10/18/2020,terrifying video seized from accused whitmer kidnap-murder plotters shows training exercises with assault weapons..michigan..gop..trump..whitenationalism,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1050,10/18/2020,that being said at this point in 2016 trump camp didn't think they'd win hillary camp i was part of traveling press corps thought they would. but there isn't as much biden hate...and we're in a pandemic with covid19 cases up by 50% in key states like here in florida,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1051,10/18/2020,that was one of the first things i noticed too all official bidenharris2020 merchandise is union made in america unlike trump merchandise. joebiden consistently puts his mouth where his mouth is and his actions match his words unlike president cheetos.,United States of America,California,CA,Donald Trump,1,0.4\r\n1052,10/18/2020,the corrupt media fact checks every breath president trump takes but never says a word and looks the other way when joe biden out and out lies over and over again about what donald trump said about charlottesville  trump maga,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1053,10/18/2020,the debatecommission must cut the mics of the person who is not speaking until his 2 minutes is up. if not it will be a shitshow and it will be their fault because trump showed america that he will trample on rules that don\xe2\x80\x99t limit him.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1054,10/18/2020,the desperation of the trump senthomtillis + danforestnc campaigns is very evident in the fundraising solicitations arriving in my email and texts 49 yesterday alone.  are they using these funds to pay off the half billion dollars owed by trump to russia,United States of America,North Carolina,NC,Donald Trump,0,-0.6\r\n1055,10/18/2020,the fbi details the danger that govwhitmer was in as white supremacists attempted to kidnap her and trump spurs on crowd in mich. with lock her up. he incites violence. he is the lowest form of human scum. he is a massmurderer and he's doing all this to stay out of jail.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1056,10/18/2020,the first family of corruption realdonaldtrump donaldjtrumpjr melaniatrump ivankatrump jaredkushner erictrump whitehouse coronavirus covid19 failure dumptrump dumptrump2020 trump vote4 joebiden amymcgrathky mjhegar harrisonjaime saragideon captmarkkelly biden,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1057,10/18/2020,the media feeds on the orange dude because he\xe2\x80\x99s great for ratings. he\xe2\x80\x99s like watching a car accident in slow motion. it\xe2\x80\x99s hard to look away. the msm made trump.,United States of America,Texas,TX,Donald Trump,2,0\r\n1058,10/18/2020,the new domain name trumpmanagement .com has been listed for sale at   buy it before its gone click here  trump management trumpmanagement,United States of America,Nevada,NV,Donald Trump,0,-0.1\r\n1059,10/18/2020,the new domain name trumpshirt .com has been listed for sale at   buy it before its gone click here  trump shirt trumpshirt,United States of America,Nevada,NV,Donald Trump,0,-0.1\r\n1060,10/18/2020,the sunday nytimes has devoted the entire sunday review section to how trump is destroying our country. this is probably a journalistic first.,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1061,10/18/2020,the trump and kavanaugh era...,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n1062,10/18/2020,thehill for 3yrs 271 days impeached potus realdonaldtrump messaging is the same - bigotry chaos division fear - why b/c trump has zero policy accomplishments - sundaythoughts,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1063,10/18/2020,thehill if the gopleader senatemajldr cared about democracy they would very bigly condemn the dangerous dictator talk from the president representing their party. but they won\xe2\x80\x99t. vote. trump trumprallymichigan coronavirus ontyranny,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n1064,10/18/2020,thehill omg. that's her defense  is the entire trump family as reprehensible has their patriarch  cognitive decline  let's all remind her together  man woman person camera tv..,United States of America,Florida,FL,Donald Trump,2,0\r\n1065,10/18/2020,thek~no show 2020 the show you need to know \xe2\x81\xa6kennykenstl\xe2\x81\xa9 \xe2\x81\xa6kentegious\xe2\x81\xa9 we needed you today \xf0\x9f\x98\xae the spiritual teacher has gone trump \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f wtf \xe2\x81\xa6ava\xe2\x81\xa9 \xe2\x81\xa6kingjames\xe2\x81\xa9 \xe2\x81\xa6ijessewilliams\xe2\x81\xa9 \xe2\x81\xa6willpowerpacker\xe2\x81\xa9 \xe2\x81\xa6tylerperry\xe2\x81\xa9,United States of America,California,CA,Donald Trump,0,-0.4\r\n1066,10/18/2020,there are 65k chinese students and 300k chinese working on h1bvisa if china wants to play kidnapping game with trump election2020,United States of America,California,CA,Donald Trump,0,-0.7\r\n1067,10/18/2020,this dork trump is searching for a beat clearly icecube has failed teaching this fool rhythm.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1068,10/18/2020,this guy musta had texans ml on a parlay with green bay chicago trump,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n1069,10/18/2020,this is how we know donald trump is a racist. orangearmy orangecounty newportbeach trumpcrimefamily biden bidenharris2020landslide bidenharris2020tosaveamerica blm blacklivesmatter blackpink dictatortrump trump,United States of America,Texas,TX,Donald Trump,2,0\r\n1070,10/18/2020,this is why we have a corrupt duopoly that produced trump as most fitting representative of our vulture capitalist culture.  please consider voting for the party with the platform that the majority want instead of for who can afford to buy an election.,United States of America,Oregon,OR,Donald Trump,0,-0.7\r\n1071,10/18/2020,this turd is so stale\xe2\x80\xbc\xef\xb8\x8f trumpreboot trumpstaleactyawn  trumplovesattn trumpisanoldclown trump realdonaldtrump,United States of America,California,CA,Donald Trump,0,-0.8\r\n1072,10/18/2020,thomtillis .thomtillis show us that you are willing to get covid19 for trump loudobbs calfornc,United States of America,California,CA,Donald Trump,1,0.2\r\n1073,10/18/2020,time for trump to pull a big rabbit out of a hat. the election has gotten away from him. my suggestion a major announcement regarding big pharma and hospitalization in favor of the working people.,United States of America,California,CA,Donald Trump,0,-0.4\r\n1074,10/18/2020,tmz trump would do anything to win re-election including going to churches,United States of America,Virginia,VA,Donald Trump,0,-0.5\r\n1075,10/18/2020,tmz unless you are trump,United States of America,Colorado,CO,Donald Trump,0,-0.3\r\n1076,10/18/2020,to quote my soulmate titus andromedon \xe2\x80\x9clike simone biles trying to ride a roller coaster after the park closed\xe2\x80\x9d  . . . \xe2\x80\x9ctoo little too late.\xe2\x80\x9d,United States of America,California,CA,Donald Trump,0,-0.6\r\n1077,10/18/2020,today they are doing this today they are putting her in danger and think they can shrug off responsibility and blame by saying ah it is a joke ha ha doesn\xe2\x80\x99t work that way trump,United States of America,California,CA,Donald Trump,0,-0.7\r\n1078,10/18/2020,tonyschwartz republicans enabled this madman trump trumpisalaughingstock,United States of America,New York,NY,Donald Trump,2,0\r\n1079,10/18/2020,too_pamela vpardi trump is playing this like a reality tv show except he owes over $1 billion up a creek karma\xe2\x80\x99s his bitch,United States of America,New York,NY,Donald Trump,0,-0.9\r\n1080,10/18/2020,trump,United States of America,Maryland,MD,Donald Trump,2,0\r\n1081,10/18/2020,trump,United States of America,New York,NY,Donald Trump,2,0\r\n1082,10/18/2020,trump,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1083,10/18/2020,trump administration hatch act watch ivanka trump senior counselor to the president used her official twitter account eight times in 48 hours to post campaign-related tweets in open and notorious violation of hatch act per crewcrew ..,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1084,10/18/2020,trump and his sycophants make every corrupt gop politician and political appointee look like amateurs.  traitorinchief grifterinchief vote bidenharris \xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote out the trump devastation maga,United States of America,California,CA,Donald Trump,0,-0.4\r\n1085,10/18/2020,trump and his sycophants make every corrupt politician and political appointee look like amateurs.  maga traitorinchief grifterinchief vote bidenharris \xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote out the trump devastation,United States of America,California,CA,Donald Trump,0,-0.4\r\n1086,10/18/2020,trump crime syndicate supported by the gop,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n1087,10/18/2020,trump elections2020 16 days until ejection.  roll blue.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n1088,10/18/2020,trump got moves\xf0\x9f\x98\x84\xf0\x9f\x91\x8c,United States of America,New York,NY,Donald Trump,1,0.1\r\n1089,10/18/2020,trump heavily pushed remdesivir for covid19 - spend hundreds of millions on its development it's purchase - but it doesn't work.  another win for teamtrump - no survival or other benefit for remdesivir in covid-19 | medpage today -  via shareaholic,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1090,10/18/2020,trump hillary biden what are they signing,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1091,10/18/2020,trump idea of the future,United States of America,New York,NY,Donald Trump,2,0\r\n1092,10/18/2020,trump is a freak a dictator and a moron... he must be defeated if he is not the republic will be lost forever...,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1093,10/18/2020,trump is a terrorist,United States of America,California,CA,Donald Trump,0,-0.8\r\n1094,10/18/2020,trump is dishonest and so is rudy. they are crooked liars.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1095,10/18/2020,trump is so bad.,United States of America,Indiana,IN,Donald Trump,0,-0.8\r\n1096,10/18/2020,trump jokes of firing florida governor if he loses state politicalviews trump government,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1097,10/18/2020,trump just had a good talk with his thumb. his thumb is fairly smart and thick skinned.,United States of America,California,CA,Donald Trump,1,0.8\r\n1098,10/18/2020,trump keeps saying the same things for the benefit of his ignorantbase none of whom have enough intelligence to figure out they\xe2\x80\x99ve been conned for four 4years they\xe2\x80\x99re pathetic,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1099,10/18/2020,trump must pay for treason \xf0\x9f\x91\x87\xf0\x9f\x8f\xbc,United States of America,California,CA,Donald Trump,0,-0.2\r\n1100,10/18/2020,trump november election a choice of 'super recovery' or 'biden depression' whitehouse trump government,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1101,10/18/2020,trump realdonaldtrump morewilldie,United States of America,California,CA,Donald Trump,2,0\r\n1102,10/18/2020,trump says what,United States of America,South Carolina,SC,Donald Trump,2,0\r\n1103,10/18/2020,trump signs law designating 9-8-8 as universal number for national suicide hotline starting in 2022 - cnn trump government whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1104,10/18/2020,trump stole from his charity barely pays any taxes fucked strippers while his wife was pregnant and broke campaign laws bribing them to stfu.  so yeah i\xe2\x80\x99m not worried about biden. votebidenharris,United States of America,California,CA,Donald Trump,0,-0.1\r\n1105,10/18/2020,trump supporters donated $6 million to kimkbaltimore and she won't even give them the courtesy of trying to pretend to win mdpolitics maga kag md07 bebold,United States of America,California,CA,Donald Trump,0,-0.8\r\n1106,10/18/2020,trump the snake trump is a carnival barker who got a lot of suckers in the tent. he robbed them of their money their intelligence and he may even take their lives. he doesn\xe2\x80\x99t give them kool-aid he just controls them with poisonous lies.,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n1107,10/18/2020,trump tiktok dancetutorial,United States of America,California,CA,Donald Trump,1,0.1\r\n1108,10/18/2020,trump trumpsupporters votethatmotherfuckerout trumpisaracist trumpsupportersareracist trumpsupportersbelike,United States of America,Virginia,VA,Donald Trump,2,0\r\n1109,10/18/2020,trump turns his ire toward cabinet members thehill,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1110,10/18/2020,trump voters angry at biden over hunter biden . the rest angry with trump over covid19 . whats in majority,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1111,10/18/2020,trump2020 trump biden,United States of America,Illinois,IL,Donald Trump,2,0\r\n1112,10/18/2020,trumpdeathdance trumporangesasquatchshuffle trumpwhitezombiescantdance trumpkillscelebratoryjig trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n1113,10/18/2020,trumpelainedance trumpdeathdance trumpfatobesewhitemencantdance trump realdonaldtrump trumpboogieman,United States of America,California,CA,Donald Trump,2,0\r\n1114,10/18/2020,trumpisaloser bidenharris2020landslide trumpisaloser trump trumpdance trumpcrimefamily trumphascovid bidenharris bidencrimefamily bidenharris2020landslide trump2020 trumpcovidhoax putinownstrump putinsgop trumpsgenocide gopgenocide gopbetrayedamerica,United States of America,Michigan,MI,Donald Trump,2,0\r\n1115,10/18/2020,trumpisbroke trumpcrimefamily trumpisaracist trumpisalaughingstock trumpisfat trump trumpisalardass,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1116,10/18/2020,trumpsamerica is unemployed dying &amp; ignored as realdonaldtrump spreads covid19 at his race rallies. impeachedforlife trump doesn't care. trumpeconomy trumpdeathtoll220k trumpruinedtheeconomy joebiden bidenharrislandslide2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1117,10/18/2020,trumpvirus realdonaldtrump senatemajldr lindseygrahamsc senatorcollins senmcsallyaz senjoniernst sencorygardner senthomtillis johncornyn senategop housegop gop coronavirus covid19 trump vote4 joebiden amymcgrathky mjhegar harrisonjaime saragideon bidenharris,United States of America,Texas,TX,Donald Trump,2,0\r\n1118,10/18/2020,trump\xe2\x80\x99s sanctions on international court may do little beyond alienating allies icc via nytimes,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1119,10/18/2020,turned out jfk was right another fine repuplican nixon trump coronavirus,United States of America,Illinois,IL,Donald Trump,1,0.5\r\n1120,10/18/2020,turtle head mcconnell admits trump is going to lose...,United States of America,Colorado,CO,Donald Trump,0,-0.6\r\n1121,10/18/2020,tustin man in trump cowboy hat taunted female latimes reporter 4wearing a mask. when reporter thanked him 4 interview &amp; walked away man followed her 4 several minutes yelling\xe2\x80\x9cfake news\xe2\x80\x9d while tailing her closely &amp; inviting others in crowd 2 harass her.,United States of America,California,CA,Donald Trump,0,-0.3\r\n1122,10/18/2020,twitter removes tweet from top trump covid-19 adviser that falsely claimed masks don't work,United States of America,Oklahoma,OK,Donald Trump,0,-0.7\r\n1123,10/18/2020,two young commies caught stealing trump signs with a loaded ar-15 in the trunk in peoria arizona. - youtube,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n1124,10/18/2020,unprecedented numbers of small businesses close forever. this is due to trump\xe2\x80\x98s lies criminally delayed response to the pandemic utter failure to call for a national lockdown and continual reprehensible undermining of responsible behavior. trump--a clear and present danger.,United States of America,California,CA,Donald Trump,0,-0.5\r\n1125,10/18/2020,usfws your new rule for the federal duck stamp contest is a joke. again your push for the hunting side rather than the conservation side shows how slimy you are. and i\xe2\x80\x99d love for aureliaskipwith to prove how trump has protected wildlife. you\xe2\x80\x99re disgusting and corrupt.,United States of America,Minnesota,MN,Donald Trump,0,-0.5\r\n1126,10/18/2020,via rawstory donald trump jr. says dad\xe2\x80\x99s \xe2\x80\x98next move\xe2\x80\x99 is to \xe2\x80\x98break up\xe2\x80\x99 fbi \xe2\x80\x98he has to get rid of these things\xe2\x80\x99  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1127,10/18/2020,via rawstory senate democrats try to save federal workforce from trump\xe2\x80\x99s harebrained payroll tax scheme  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1128,10/18/2020,votehimout donaldtrump supports domestic terrorism. trumpvirus domesticterrorism whitmer,United States of America,California,CA,Donald Trump,0,-0.1\r\n1129,10/18/2020,wagner_rob gregolear bannon much like trump is a deeply damaged human being and he hates the world all the more because of it. hopefully he\xe2\x80\x99ll have plenty of time in jail to contemplate it all.,United States of America,California,CA,Donald Trump,0,-0.6\r\n1130,10/18/2020,watch live trump delivers remarks on supporting law enforcement in wisconsin thehill,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1131,10/18/2020,watch wolfmanjoe2_0's broadcast the wolfman joe show day 17 when are we going to get angry biden americanhoax trump2020 trump election2020 acb,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1132,10/18/2020,we all are here to ask you...not to vote for trump...the world is crying for help...,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1133,10/18/2020,we call bs \xf0\x9f\x92\xa9\xf0\x9f\x92\xa9biden the campaign &amp; media are conspiring &amp; conjuring up another fakenews story to break just like the trump hates veterans story to deflect  hunterbidenlaptop story mark my words hunteremails trump2020nowmorethanever trump2020landslide maga,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1134,10/18/2020,we're coming for you trump,United States of America,Colorado,CO,Donald Trump,1,0.1\r\n1135,10/18/2020,well who do you think will be going after trump as soon as joebiden's ag has the chance  fbi,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1136,10/18/2020,we\xe2\x80\x99re voting for hunter biden\xe2\x80\x99s dad - joe. one corrupted kid even is true is better than the whole dam trump family that\xe2\x80\x99s has 6 kids - a minimum 6x more corruption on top of their corrupted dad trump2020 trump maga erictrumpukrainescandal trumpcrimefamily trumptaxreturns,United States of America,California,CA,Donald Trump,0,-0.3\r\n1137,10/18/2020,we\xe2\x80\x99re voting for hunter biden\xe2\x80\x99s dad - joe. one corrupted kid even is true is better than the whole dam trump family that\xe2\x80\x99s has 6 kids - a minimum 6x more corruption on top of their corrupted dad trump2020 trump maga erictrumpukrainescandal trumpcrimefamily trumptaxreturns,United States of America,California,CA,Donald Trump,0,-0.3\r\n1138,10/18/2020,we\xe2\x80\x99re voting for hunter biden\xe2\x80\x99s dad - joe. one corrupted kid even is true is better than the whole dam trump family that\xe2\x80\x99s has 6 kids - a minimum 6x more corruption on top of their corrupted dad trump2020 trump maga erictrumpukrainescandal trumpcrimefamily trumptaxreturns,United States of America,California,CA,Donald Trump,0,-0.3\r\n1139,10/18/2020,we\xe2\x80\x99re voting for hunter biden\xe2\x80\x99s dad - joe. one corrupted kid even is true is better than the whole dam trump family that\xe2\x80\x99s has 6 kids - a minimum 6x more corruption on top of their corrupted dad trump2020 trump maga erictrumpukrainescandal trumpcrimefamily trumptaxreturns,United States of America,California,CA,Donald Trump,0,-0.3\r\n1140,10/18/2020,what are covid shedders maganinny hopehicks and trump doing in that church like they never had the disease which i'm beginning to believe that they never did,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n1141,10/18/2020,what does a biden or trump victory mean for financial services mackayshields global fixed income team analyzes key policy proposals and personnel appointments and the possibility of transformative financial sector legislation and re-regulation.,United States of America,New York,NY,Donald Trump,1,0.1\r\n1142,10/18/2020,what is the body count between left-wing terrorism and right wing terrorism something about the right wing ideology courts terrorism rightwing leftwing leftwingextremists trump republican proudboys prayfortrump settleforbiden america,United States of America,California,CA,Donald Trump,0,-0.7\r\n1143,10/18/2020,what\xe2\x80\x99s with all the trump dancing lately he thinks he\xe2\x80\x99s shabba doo...,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1144,10/18/2020,when the plate was passed trump took $40 from it.,United States of America,California,CA,Donald Trump,0,-0.6\r\n1145,10/18/2020,where\xe2\x80\x99s icecube been the last 4 years  under a rock  brother your losing your mind trump is a racist your looking bad  realbad,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1146,10/18/2020,white house press secretary kayleigh mcenany recovers from covid-19 trump political government,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1147,10/18/2020,whitmer trump inciting 'domestic terrorism' thehill,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1148,10/18/2020,who\xe2\x80\x99s going to tell trump that you\xe2\x80\x99re supposed to tithe 10% of your paycheck,United States of America,Arizona,AZ,Donald Trump,0,-0.7\r\n1149,10/18/2020,why does he have to \xe2\x80\x9cturn the economy around\xe2\x80\x9d i thought it was a good economy does he have to turn it around because he tanked it askingforafriend kirstiealley trump,United States of America,Kentucky,KY,Donald Trump,0,-0.7\r\n1150,10/18/2020,why to avoid jail obviously trump trumptaxreturns trumpisbroke,United States of America,California,CA,Donald Trump,0,-0.7\r\n1151,10/18/2020,world leaders find the courage to publicly denounce climate science deniers trump amycomeybarrett bolesenaro etc. all forms life on earth is in the balance. this is the truth + we need to hear you say it..build the pressure. rt if you agree climatecrisis climateemergency,United States of America,California,CA,Donald Trump,2,0\r\n1152,10/18/2020,wow...trump is fucking sick being involved in cabal satan worshipping pedophiles...its time to yank this guy out if society,United States of America,Colorado,CO,Donald Trump,0,-0.9\r\n1153,10/18/2020,write letters. make calls. get out the vote. don\xe2\x80\x99t let the minority rule. vote trump bidenharris,United States of America,California,CA,Donald Trump,0,-0.2\r\n1154,10/18/2020,yashar anyone in scientology\xe2\x80\x99s mesmerized and living under the influence of the sociopath mindset. this would disallow being able to spot one anywhere because you\xe2\x80\x99re already under the influence; she can\xe2\x80\x99t see the real trump.,United States of America,California,CA,Donald Trump,0,-0.5\r\n1155,10/18/2020,yes and of course trump voteearly vote2020 votetrump2020,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1156,10/18/2020,yes please corruption hate trump,United States of America,California,CA,Donald Trump,0,-0.8\r\n1157,10/18/2020,you are a great actor but you &amp; i have been living in completely different americas the last 3 1/2 years please tell me this isn't an audition tape for you to play trump in the new bio pic trump the bankrupt years ... all of them.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1158,10/18/2020,you know your career is in the gutter when you have to make $ on cameo...right debramessing no work = cameo. trump2020 trump maga kag2020 kag bidenharris2020 biden when joebiden losses he can be on it too.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1159,10/18/2020,you mean trump paid for abortions meaning more than one that can\xe2\x80\x99t be right. evangelicals you know the ones who call themselves evangelicalsfortrump would be complete hypocrites in backing realdonaldtrump i guess it\xe2\x80\x99s ok he is an adulterer thief liar and traitor,United States of America,California,CA,Donald Trump,0,-0.8\r\n1160,10/18/2020,you stole it.  you lied and cheated and lied some more and teamed up with putin.  donaldtrump is the worse thing that has happened to the usa,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1161,10/18/2020,you'll never meet a poor black republican -william b. davis' grandfather \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 trump,United States of America,New York,NY,Donald Trump,1,0.2\r\n1162,10/18/2020,zigmanfreud two huge issues i have - even if true what teamtrump is accusing joebiden of happens every weekend in maralago i.e. millionaires paying the trump family $$ to rub shoulders with the potus and someone asked hunterbiden for advice. doesn't mean he responded.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1163,10/18/2020,\xe2\x80\x9cbeware those nasty women who grab you back\xe2\x80\x9d washing makeup brushes thinking- when is it appropriate to call a woman nasty politics vote feminist bidenbelieves sundayvibes sundayfunday feminism donaldtrump trump election,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n1164,10/18/2020,\xe2\x80\x9ccrazy uncles stand back and stayby\xe2\x80\x9d - trump snl,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1165,10/18/2020,\xe2\x80\x9cluchen por trump\xe2\x80\x9d miami calle8 election2020,United States of America,New York,NY,Donald Trump,1,0.1\r\n1166,10/18/2020,\xe2\x80\x9cwe deliver for you and we always will\xe2\x80\x9d uspsforbiden anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.3\r\n1167,10/18/2020,\xf0\x9f\x91\x80 trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1168,10/19/2020,maga2020 maga covid19 mixitup trump coronavirus trumpisbroke nra,United States of America,Tennessee,TN,Donald Trump,1,0.1\r\n1169,10/19/2020,name,United States of America,Oregon,OR,Donald Trump,1,0.1\r\n1170,10/19/2020,...and continue wasting taxpayer\xf0\x9f\x92\xb0audit trump\xe2\x80\xbc\xef\xb8\x8fi want to want to know what it costs us just to get that\xf0\x9f\x92\xa9show\xf0\x9f\x8e\xaafunded to organize &amp; move then add ss travel food lodging etc trumpmadeustreasuryhisbitch trump realdonaldtrump trumpcosts trumpoverhead trumpspending,United States of America,California,CA,Donald Trump,0,-0.7\r\n1171,10/19/2020,08_diane08 kellumdander starfishslg hillaryclinton true. trump does have a path to win. with more reps expected to vote and more dems voting by mail he could pull off a narrow lead on election night and seek to prematurely declare victory arguing that mail-in ballots are fake. this is why americaneedspennsylvania voteblue,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1172,10/19/2020,1 trump didn\xe2\x80\x99t write this 2 the audacity that trump would comment on anyone\xe2\x80\x99s track record with covid19 shows how utterly ignorant &amp; arrogant he is. you have shown tremendously poor leadership in everything you\xe2\x80\x99ve done trumpisanidiot,United States of America,California,CA,Donald Trump,0,-0.8\r\n1173,10/19/2020,10/20/2020- the choice biden trump bidenharris trumppence bidenharris2020 trumppence2020 election2020 decision2020,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1174,10/19/2020,2019 trump vineyard estates llc hired 23 seasonal workers via the dept of labor's h-2a visa program. the current wage rate 4 farmworkers in virginia is $12.67 per hr. aft the change it would revert to the $7.25 fed min wage a 42% pay cut. voteblue,United States of America,California,CA,Donald Trump,0,-0.1\r\n1175,10/19/2020,2020 will never sound the same again. this year has tainted 2020.   franciaraisa donaldtrump,United States of America,California,CA,Donald Trump,0,-0.4\r\n1176,10/19/2020,50 cent endorses donald trump for president  via hotnewhiphop  trump 50cent hiphop trump2020,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1177,10/19/2020,50 cent endorses trump,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n1178,10/19/2020,50cent calls on followers to vote for trump citing biden tax rate plan thehill,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1179,10/19/2020,8 tips to stay sane in the final 15 days of the campaign  election campaign trump biden pence harris senate polling polls covid covid19 corona virus trumpvirus voters gotv voting vote,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1180,10/19/2020,a balanced read \xe2\x80\x9cthe hidden factors that could produce a surprise trump victory\xe2\x80\x9d  via politico,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1181,10/19/2020,a friendly reminder that trump is ignoring one of the world's leading experts on infectious diseases during the covid19pandemic.,United States of America,Indiana,IN,Donald Trump,2,0\r\n1182,10/19/2020,a moron just said joebiden hates the military. beau was in the military while he was fighting for his country what were the trump kids doing stealing money from charities designing bags having an affair w/a pop star while helping daddy on his reality show trumpcrimefamily,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1183,10/19/2020,a show on whut talks about mr trump prior wives but\xf0\x9f\xa4\x94makes no mentio jillbiden was another man\xe2\x80\x99s wife when she got involved with senatorjoebiden\xf0\x9f\xa4\x94fair &amp; balanced\xf0\x9f\xa4\xa8i want fair &amp; balanced,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1184,10/19/2020,a trump second term would involve renewed dedication to a number of controversial policies in the middleeast,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1185,10/19/2020,a trump win could unleash the double-digit potential of these 3 stocks trump politicalparties whitehouse,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1186,10/19/2020,a_lice222 i assume you have a suggestion let\xe2\x80\x99s hear it. because biden in his 47 years of political career and his 8 years of vice -presidency did zero for armenians.  trump is good for america.  \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Donald Trump,2,0\r\n1187,10/19/2020,abc cbsnews cnn did you notice realdonaldtrump never even mentioned the fact that the fbi indicted several men for plotting to kidnap michigan governorwhitmer.  trump\xe2\x80\x99s silence might lead his ignorantbase to conclude the plot was okay because she\xe2\x80\x99s a democrat,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1188,10/19/2020,alconashell baddcompani nypmetro putin murdoch koch trump......all one team,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1189,10/19/2020,alicia0824 that's you in 20 years you make no sense on what you're writing you're just like sleepy joe creepy joe biden he has to read a teleprompter he looks like he's on nyquil he has no idea what he's saying when he speaks just like you do that's why both of use get along. trump 20/20,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1190,10/19/2020,allison_tolman i\xe2\x80\x99m telling you it looked like he was glued to the floor he couldn\xe2\x80\x99t really move his feet. just trying to keep his balance. donaldtrump dancing while well over 220000 people have died he\xe2\x80\x99s just a fucking miserable excuse for a human being \xf0\x9f\xa4\xac\xf0\x9f\xa4\xac\xf0\x9f\xa4\xac\xf0\x9f\xa4\xac\xf0\x9f\xa4\xac\xf0\x9f\xa4\xac,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1191,10/19/2020,almost 4 yrs ago the womensmarch led the resistance agst trump the power of that day ignited a broad movement that has grown &amp; worked to build new grassroots organizing to change america. saturday thousands came together again to votehimout vote4her bidenharris voteblue,United States of America,California,CA,Donald Trump,1,0.3\r\n1192,10/19/2020,always remember folks. they want fraud to happen. it\xe2\x80\x99s the only way they know how to win. trump joewillleadus democratsaredestroyingamerica,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1193,10/19/2020,and $750 from trump.,United States of America,Missouri,MO,Donald Trump,0,-0.1\r\n1194,10/19/2020,and i\xe2\x80\x99m highkey a clown like donaldtrump 2020vision this pandemic of an election needs a conservative present to conserve the enlightening phase. . . . atleast for me\xf0\x9f\x98\x85\xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1195,10/19/2020,armenia turkey azerbaijan trump biden usa,United States of America,California,CA,Donald Trump,1,0.1\r\n1196,10/19/2020,as a conservative independent i would strongly caution any democrat against becoming complacent about potus trump re-election. just because what he says or does upsets you doesn\xe2\x80\x99t mean that he isn\xe2\x80\x99t resonating with many americans who fervently love him and his style.,United States of America,Alabama,AL,Donald Trump,0,-0.4\r\n1197,10/19/2020,as if we needed any more reason to believe that trump is a moron. 220000 people dead. his herd mentality supporters think these numbers are vastly exaggerated. and now he calls government's top authority on infectious diseases a disaster. votehimout,United States of America,California,CA,Donald Trump,0,-0.5\r\n1198,10/19/2020,asking the media again - who does trump owe $420 million to cnn msnbc abc nbcnews cbsnews ap reuters foxnews bbcworld nytimes washingtonpost ft,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1199,10/19/2020,atrupar you know what would be justice on january 21 2021 the reality loser and reality winner trade places. trump realitywinner trumpcrimefamily,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1200,10/19/2020,b52malmet but trump knocked a bit off his personal debts.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1201,10/19/2020,bannuhbb insidethemagic really than racist trump,United States of America,California,CA,Donald Trump,1,0.3\r\n1202,10/19/2020,because of trump inciting he knows he lost big time,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1203,10/19/2020,behaviorizing votehimout votelikeyourlifedependsonit trumpcrimefamily mondaythoughts votebidenharris trump biden ditchmitch,United States of America,California,CA,Donald Trump,2,0\r\n1204,10/19/2020,benshapiro trump and his sycophants make every corrupt gop politician and political appointee look like amateurs.  traitorinchief grifterinchief vote bidenharris \xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote out the trump devastation maga,United States of America,California,CA,Donald Trump,0,-0.4\r\n1205,10/19/2020,best quote i have seen about pushback on trump and whitehouse trying to force fda to approve a covid19 vaccine before it is ready for solely political reasons,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1206,10/19/2020,beware detroit johnjamesmi total billionaire betsydevosed trump puppet johnjames total trumpster trumppuppet corrupt migop betsydevos supporter freep ap detroitnews miningjournal grpress,United States of America,Ohio,OH,Donald Trump,0,-0.8\r\n1207,10/19/2020,biddenharris may appear to be urbanamerica's answer to trump but by promoting fracking they've thrown ruralamerica's ground water under the campaign bus reform of the democratic party must continue post election or a third green party must rise up,United States of America,Washington,WA,Donald Trump,0,-0.4\r\n1208,10/19/2020,bidenharris2020 biden trump joewillleadus biden2020 americafirst gopcorruptionovercountry,United States of America,California,CA,Donald Trump,2,0\r\n1209,10/19/2020,biff trump totally would have stuffed nerds in lockers if his cushy private school had lockers. sciencematters nerdsrule,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n1210,10/19/2020,billkristol maybe if donaldtrump and company can prevent women from voting and then they can say they won the women's vote.,United States of America,Maryland,MD,Donald Trump,0,-0.5\r\n1211,10/19/2020,boy trump wants his minions to believe covid19 has gone away.     tell them about the 225k dead people,United States of America,North Carolina,NC,Donald Trump,0,-0.7\r\n1212,10/19/2020,breaking trump america,United States of America,Texas,TX,Donald Trump,2,0\r\n1213,10/19/2020,briantylercohen apparently according to trump not well.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1214,10/19/2020,but then trump is so steep in missteps it\xe2\x80\x99s hard for him to throw a stone... if you live in glasshouses don\xe2\x80\x99t throw stones,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1215,10/19/2020,bye orange cheeto trump joebiden vote democrats,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1216,10/19/2020,caquilterhowell so what even seniors abandon trump in record numbers over his mishandling of covid19,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1217,10/19/2020,cat cooling mat bogo sale -  memphis germantowntn colliervilletn cordovatn arlingtontn lakelandtn bartletttn memphistn millingtontn cooperyoung downtownmemphis midtownmemphis crosstownmemphis uptownsquare mudisland overtonsquare trump,United States of America,Texas,TX,Donald Trump,2,0\r\n1218,10/19/2020,cheryl_liam_ily joebiden can\xe2\x80\x99t wait to re elect trump,United States of America,Missouri,MO,Donald Trump,1,0.6\r\n1219,10/19/2020,choose wisely. biden &amp; trump track records speak for themselves. either way must demand they work w/ us to execute plans that gonna benefit blacks icecube on contractwithblackamerica &amp; working w/ whoever is us president  via islamrizza uselection2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1220,10/19/2020,chuckgrassley realdonaldtrump trump is screwing iowa,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1221,10/19/2020,cnnpolitics whyyyy focus on what trump can do to turn around his numbers and possibly win the do or die contest\xe2\x81\x89\xef\xb8\x8f changing sound bites &amp; spin of the message will not change who he is... wedontwantnone votehimout2020 debate2020 americathegreat,United States of America,Georgia,GA,Donald Trump,0,-0.6\r\n1222,10/19/2020,cnn\xe2\x80\x99s tapper mocks trump\xe2\x80\x99s \xe2\x80\x98character counts\xe2\x80\x99 proclamation from the man spreading \xe2\x80\x98vile and deranged lies\xe2\x80\x99 about biden obama..trump..gop..elections..,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1223,10/19/2020,coming to you from nyc newyork is doing better now than most states. that's because of nygovcuomo if it were up to realdonaldtrump we'd all be dead. in fact our few current outbreaks have been caused by trump supporters.,United States of America,New York,NY,Donald Trump,2,0\r\n1224,10/19/2020,congratulations drfauci. well-deserved and please keep taking hold of the messaging as best as you can until we vote trump out and joebiden turns to you for your expertise and guidance. hold on a bit longer.,United States of America,Pennsylvania,PA,Donald Trump,1,0.5\r\n1225,10/19/2020,conscienceisit realdonaldtrump everybody knows trump is the 1 corrupt-politician/president. and not biden.,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1226,10/19/2020,cornyn says he broke with trump on deficit border wall but kept opposition private - fort worth star-telegram politicalviews trump whitehouse,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1227,10/19/2020,cough donaldtrump was lying again..,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1228,10/19/2020,covid-19 tension building between trump and fauci - cnn politicalviews trump government,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1229,10/19/2020,covid19 god jesus trump,United States of America,Kentucky,KY,Donald Trump,1,0.8\r\n1230,10/19/2020,crack is whack y'all \xf0\x9f\x98\x86 just say no...to biden trump 4moreyears kag \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1231,10/19/2020,credit where due per washingtonpost dr. birx has told pence\xe2\x80\x99s office that she does not trust whitehouse covid19 advisor scottatlas does not believe he is giving trump sound advice and wants him removed from the task force.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1232,10/19/2020,cvs health walgreens in deal to administer covid-19 vaccine to seniors | chain store age. we are around the corner for a vaccine. make america great again maga trump2020tosaveamerica trump donaldtrump sapir,United States of America,California,CA,Donald Trump,2,0\r\n1233,10/19/2020,danamira the only people who could possibly not like dranthonyf are trump and his advisors who regard the good doctor as a threat to their continued tyranny,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1234,10/19/2020,danduq00 proudsocialist dbigorion second focusing on removing donaldtrump is misguided. it's literally the same prescription democrats and progressives have been given for 40 years by leadership. the i'll gladly pay you tuesdays for a hamburger today approach is a classic. tomorrow never comes... 3/3,United States of America,Maryland,MD,Donald Trump,0,-0.1\r\n1235,10/19/2020,davidcorndc trump is not a scientist and he is not a doctor. trumpisanidiot.,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n1236,10/19/2020,davidfrum theatlantic government it staff better start backing up servers now and removing paper shredders from offices now. trumpcrimefamily trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1237,10/19/2020,davidplouffe this is absolutely pathetic. the topics of 'covid19 race in america' 'climate change' 'national security' 'american families' and 'leadership' just seem totally out of right-fiend why would any presidential debate over them seriously trump needs to put on his big boy pants,United States of America,Minnesota,MN,Donald Trump,0,-0.8\r\n1238,10/19/2020,dbongino if trump did this he\xe2\x80\x99d be thrown out of office &amp; put in prison yesterday,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1239,10/19/2020,democratic presidential nominee joebiden has opened up a 7-point lead over president donaldtrump in georgia according to a poll released wednesday fewer than three weeks before the nov. 3 election. atlanta,United States of America,Georgia,GA,Donald Trump,2,0\r\n1240,10/19/2020,denbrots i think many go to watch an insane spectacle that trump is i would - with a mask,United States of America,New York,NY,Donald Trump,1,0.4\r\n1241,10/19/2020,dictatortrump uses low-life tactics calling journalists and opposition criminals. trump is a real-life criminal and seeks to move the spotlight away from his criminal actions. he dishonors the nation and the constitution. veterans cpac rushlimbaugh seanhannity gma abc,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1242,10/19/2020,doitformama trump is a genius at marketing and hype. he\xe2\x80\x99s a conman. which is why he put so many swamp creatures in his cabinet. biden is only worse than trump because he\xe2\x80\x99s been in dc longer and establishment enables his corruption hunterbidenemails,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1243,10/19/2020,donald trump america would be in 'massive depression' if i totally listened to the scientists politics politicalparties trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1244,10/19/2020,donald trump is a fucking bore trumpcrimefamily trump traitortrump putinspiglet,United States of America,New York,NY,Donald Trump,0,-0.9\r\n1245,10/19/2020,donald trump joe biden 'more corrupt' than 'human vacuum cleaner' hunter biden political government trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1246,10/19/2020,donald trump reporters 'criminal' for not reporting hunter biden stories politicalviews potus trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1247,10/19/2020,donald trump returns to the campaign trail with a vengeance trump potus political,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1248,10/19/2020,donaldjtrumpjr dude maybe they are just not that into you.  trumpcrimefamily trump,United States of America,Indiana,IN,Donald Trump,0,-0.4\r\n1249,10/19/2020,donaldjtrumpjr first we want to put the trump crime family behind bars....,United States of America,California,CA,Donald Trump,0,-0.4\r\n1250,10/19/2020,donaldtrump and his children are fighting tooth and nail because their failing business has been revealed to be nothing but a name and $400 million in questionable debt....and the name is worth less than dirt.  votebidenharris2020,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1251,10/19/2020,donaldtrump donaldtrump2020 trump trump2020 challenge employment jobs jobseekers work,United States of America,Indiana,IN,Donald Trump,1,0.1\r\n1252,10/19/2020,donaldtrump is so shrill,United States of America,New York,NY,Donald Trump,1,0.4\r\n1253,10/19/2020,donaldtrump mocks joebiden for listening to scientists. sunday in nevada.,United States of America,California,CA,Donald Trump,1,0.2\r\n1254,10/19/2020,dont be fooled...this election trump and co are utilizing psychological warfare,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1255,10/19/2020,don\xe2\x80\x99t fall for lies - trump bidenharris2020,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n1256,10/19/2020,dougducey realdonaldtrump mike_pence marthamcsally mcsally she\xe2\x80\x99s so proud of her daddy trump,United States of America,Arizona,AZ,Donald Trump,1,0.5\r\n1257,10/19/2020,dougkass realdonaldtrump defauci can't give in to trump. he has already made his statements and it would be a shame for this vibrant man to end his career because of bullying,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1258,10/19/2020,dr fraudchi is trying to extend his job with the democrats in case realdonaldtrump is not re-elected but that is not go to happen because trump will be our president for 4 more years. ivankatrump donaldjtrumpjr fauci,United States of America,Florida,FL,Donald Trump,2,0\r\n1259,10/19/2020,dr. fauci can only be fired for cause of which there is none. trump can press dr. fauci's superiors who are presidential appointees to fire dr. fauci but if they do so without cause it is illegal &amp; dr. fauci would have legal grounds to sue the us government &amp; trump. 2/3,United States of America,Nevada,NV,Donald Trump,0,-0.3\r\n1260,10/19/2020,dr. fauci was not surprised trump got covid,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1261,10/19/2020,dress up your bump trump redefining stupid one tweet at a time shirt . in some sweet casual style with thismade from an ultra-soft material that has a hint of spandex to accommodate your growing bump this maternity graphic tee features the phrase  trump,United States of America,California,CA,Donald Trump,0,-0.1\r\n1262,10/19/2020,drfauci you are the one we trust not trump you know that. who is the true idiot here,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1263,10/19/2020,each day that realdonaldtrump gets closer to his historic landslide defeat he becomes angrier more desperate and more unhinged... trump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1264,10/19/2020,election2020 republicans trump rudygiuliani,United States of America,California,CA,Donald Trump,2,0\r\n1265,10/19/2020,electrostani true. trump does have a path to win. with more reps expected to vote and more dems voting by mail he could pull off a narrow lead on election night and seek to prematurely declare victory arguing that mail-in ballots are fake. this is why americaneedspennsylvania voteblue,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1266,10/19/2020,eliminan tuit de asesor de covid-19 de trump sobre ineficacia de m\xc3\xa1scaras  coronavirus,United States of America,Florida,FL,Donald Trump,1,0.1\r\n1267,10/19/2020,ericswalwell \xf0\x9f\xa4\xaesenator johnson is a russian puppet. we have no proof but people are saving.  draintheswamp\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 criminal crimefamily news traitor traitortrump moscow moscowmitch bannon prizon resit divorcetrump trump joebiden biddenharris2020 randyrainbow,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1268,10/19/2020,erictrump trumpcrimefamily trump wait until election day... are you leaving the country too or ready to go for prison,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1269,10/19/2020,even president obama gave india civil nuclear deal so did bush  however trump winning has one advantage which is china china china,United States of America,California,CA,Donald Trump,0,-0.6\r\n1270,10/19/2020,exposed they\xe2\x80\x99ve been paying black people to be at realdonaldtrump rally\xe2\x80\x99s trump trumprally casting castingcall backstage blm,United States of America,California,CA,Donald Trump,0,-0.5\r\n1271,10/19/2020,exxonmobil and big money support trump and gop. don't lie to us exxonmobil. boycottexxon,United States of America,California,CA,Donald Trump,0,-0.2\r\n1272,10/19/2020,facts however; repealing trump's &amp; moscowmitch's tax giveaway to the rich should take care of any deficit spending but even if it doesn't gop lost all credibility to cry deficits. urbanagenda bospoli mapoli election2020,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n1273,10/19/2020,faith leaders must speak up proud to endorse realdonaldtrump  trump maga mygodvotes,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1274,10/19/2020,fauci  one has to say...wtf is wrong with the impotus   but then again many sane and reasonable ppl know already *know* trump is unhinged. those on his side just say the media hates him   really that's so comical.  he attacks - everyone -.  he's a sad person,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1275,10/19/2020,fauci says he was 'absolutely not' surprised trump got coronavirus after rose garden event politicalparties politics trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1276,10/19/2020,federal judge strikes down trump rule that could have cut food stamps for nearly 700000 unemployedamericans. snap politics chiefjudgeberylhowell,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1277,10/19/2020,flooding the zone with the new york post  via cjr media newsmedia journalism crapjournalism rightwingbias misinformation disinformation infodemic biden trump russianmisinformation giuliani bannon  nypost,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1278,10/19/2020,florida govrondesantis yes he is often wrong and totally owned by trump &amp; millions of us are eager to vote desantis out in 2022,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1279,10/19/2020,florida is just as bad. we have trump rubber stampers in marcorubio who defends democracy everywhere but in the united states despite my attempts to get him to wake up and senrickscott a near 100% rubberstamp.  maybe its a tie,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1280,10/19/2020,florida voting vote trump latinosfortrump,United States of America,Florida,FL,Donald Trump,2,0\r\n1281,10/19/2020,florida \xe2\x9d\xa4\xef\xb8\x8fs trump. go bucs,United States of America,Florida,FL,Donald Trump,1,0.2\r\n1282,10/19/2020,four years ago an omniscient spirit came to warn us that trump is a chump &amp; should not be elected. first came the pussy video then came the mueller report then the impeachment. finally she sent a pandemic. please heed the warning. votebidenharris,United States of America,California,CA,Donald Trump,0,-0.3\r\n1283,10/19/2020,from what i'm hearing...  an oil tanker from the venezuela regime about to sink and spill million gallons of petroleum  us can't intervene cause it violates the trump's sanctions against the maduro regime...  not to mention puertorico \xf0\x9f\x87\xb5\xf0\x9f\x87\xb7 in the path of a disaster \xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1284,10/19/2020,funny that trump himself is credibly accused of raping a 13 year old and walked in on miss teen usa contestants and hit on a 10 year old in front of cameras and went to epstein parties. but they are trying to tag that on biden. yikes. projection,United States of America,Iowa,IA,Donald Trump,0,-0.2\r\n1285,10/19/2020,funny that trump loves saying i'm the only president that's never taken a salary. the truth is he's the one president who's most needy of it as he's the most broke one too,United States of America,California,CA,Donald Trump,0,-0.6\r\n1286,10/19/2020,garrixonstudio trump does have a path to win. with more republicans expected to vote and more dems voting by mail he could pull off a narrow lead on election night and seek to prematurely declare victory arguing that mail-in ballots are fake. this is why americaneedspennsylvania voteblue,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1287,10/19/2020,geoffrbennett i'm a hispanic and i find trump deplorable. trumpisnotamerica hispanicsagainsttrump votebidenharris votehimout vote voteearly votehimoutandlockhimup,United States of America,Michigan,MI,Donald Trump,0,-0.2\r\n1288,10/19/2020,get a brand new galaxy note 20  kamalaharris donaldtrump vpdebate2020 election2020 harris pence samsung vpdebate \xf0\x9f\x91\x8d\xf0\x9f\x91\x8d\xf0\x9f\x91\x8d,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1289,10/19/2020,get the new gopro 8 now  kamalaharris vpdebate vpdebate2020 election2020 harris pence donaldtrump enter your information now for a chance to win.\xf0\x9f\x8e\xac\xf0\x9f\x8e\xac,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1290,10/19/2020,globalissuesweb trump does have a path to win. with more reps expected to vote and more dems voting by mail he could pull off a narrow lead on election night and seek to prematurely declare victory arguing that mail-in ballots are fake. this is why americaneedspennsylvania voteblue,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1291,10/19/2020,go trump fcuk biden fcuk google twitter whitehouse news vote,United States of America,Illinois,IL,Donald Trump,2,0\r\n1292,10/19/2020,gop  here's trump's covid19 rocket ship with 225k deaths and counting,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n1293,10/19/2020,gop realdonaldtrump the only thing trump wants to do is destroy democracy increase wealth hide his taxes bc trumpiscompromised &amp; kill as many americans as he can by taking advise from a radiologist over a  - 6 different president -  infectiousdisease doctor all while having maskless rallies,United States of America,California,CA,Donald Trump,0,-0.8\r\n1294,10/19/2020,gop we see you. trumpcrimefamily trump,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1295,10/19/2020,guys i know trump uttered the words armenia armenians and what not. but so what. unless he is continuously pressured by us as constituents don\xe2\x80\x99t get your hopes up. also don\xe2\x80\x99t be fooled. it\xe2\x80\x99s us politics we\xe2\x80\x99re talking here. yalla gnite. recognizeartsakh callyourrep,United States of America,Massachusetts,MA,Donald Trump,0,-0.3\r\n1296,10/19/2020,half of americans don't know this.\xc2\xa0 please tell them media refuses to report it.  both twitter &amp; facebook block us from sharing it.  you are our only hope biden trump laptop censorship landp1776 -,United States of America,New Jersey,NJ,Donald Trump,0,-0.6\r\n1297,10/19/2020,hard hitting journalism at it\xe2\x80\x99s finest. that will surely inform the voters... trump could but them all ice cream and they\xe2\x80\x99d ask him about  russian collusion again or how he will cure covid. mediabiasisreal savetherepublic,United States of America,Pennsylvania,PA,Donald Trump,1,0.3\r\n1298,10/19/2020,hartford courant presidential endorsement \xe2\x80\x9cyou probably think you can vote for donald trump but not support racism; here\xe2\x80\x99s why you\xe2\x80\x99re wrong\xe2\x80\x9d - \xe2\x81\xa6hartfordcourant\xe2\x81\xa9 connecticut \xe2\x81\xa6joebiden\xe2\x81\xa9 chrismurphyct\xe2\x81\xa9 \xe2\x81\xa6\xe2\x81\xa9 ctdems\xe2\x81\xa9 biden trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1299,10/19/2020,hdstreetglide2 rburghardt rasmussen_poll i\xe2\x80\x99m not angry trump terrifies me. it would appear that at least 50% of trump voters have no clue what it means the consequences to forfeit the greatest democracy on the planet. it\xe2\x80\x99s not just lack of knowledge of history it is stupidity en masse. same goes for refusing mask,United States of America,Washington,WA,Donald Trump,0,-0.6\r\n1300,10/19/2020,here i am thinking that mikelove of the beachboys is dead but after hearing he's doing a trump benefit he's dead to brianwilson,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1301,10/19/2020,here's today's question donaldtrump supporters and i really want one of you to answer why would it be a bad thing to listen to the scientists in actuality i don't expect any answers because none of you have one.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1302,10/19/2020,hey  usps dejoy is pulling off postal inspectors &amp; cops while mail is being screwed with &amp; losing ballots - trump scam continues,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1303,10/19/2020,hey gop when you burn your house down you get a clear view of the sky. what are you going to do after trump is voted out,United States of America,Massachusetts,MA,Donald Trump,1,0.1\r\n1304,10/19/2020,hey i took a poll today on the phone and said i was voting or biden..but that was after i went cast my ballot for president trump realdonaldtrump maga trump vote trump2020,United States of America,Georgia,GA,Donald Trump,0,-0.6\r\n1305,10/19/2020,historian timothy snyder asks why does america's mainstream news media continue to avoid describing donaldtrump &amp; his regime as fascist authoritarians what are they afraid of how has that evasion helped to empower and normalize trumpism truthmatters,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1306,10/19/2020,hosting rallies might be a good way to boost voters but it also boosts the virus. scharschool\xe2\x80\x99s epidemiologist saskiapopescu op-eds washpost about trump\xe2\x80\x99s campaign around covid. biden\xe2\x80\x99s campaign could not have taken a more different approach.,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1307,10/19/2020,how one republican senator is desperately trying to run away from donald trump - cnn whitehouse trump government,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1308,10/19/2020,hvillealrailfan subwoofuhr zeebdemon a win unlikely. even seniors abandon trump in record numbers over his mishandling of covid19,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1309,10/19/2020,i absolutely love this trump2020tosaveamerica trump is having a great time and he\xe2\x80\x99s just one of us he sincerely looks like he\xe2\x80\x99s having fun thank you for coming to puremichigan \xf0\x9f\x99\x8f\xf0\x9f\x8f\xbc\xf0\x9f\x87\xba\xf0\x9f\x87\xb8trump2020andforever,United States of America,Michigan,MI,Donald Trump,1,0.9\r\n1310,10/19/2020,i can\xe2\x80\x99t wait to see the implosion from the left and the fake news media when trump gets re-elected stocking up on popcorn just now it\xe2\x80\x99s going to be even better than 2016 maga biden sleepyjoe,United States of America,California,CA,Donald Trump,1,0.8\r\n1311,10/19/2020,i do trump had to change the narrative from wacko out of control debate performance to maybe getting sympathy for testing positive for corona when that didn't work he then did the superman miracle cure and began super spreader rallies,United States of America,Washington,WA,Donald Trump,1,0.3\r\n1312,10/19/2020,i repeat this again the situation in syria is the actual manifestation to what russia envisions. it\xe2\x80\x99s moscow\xe2\x80\x99s vision for the solution in damascus after hilsinki meeting between trump &amp; putin. everyone will oblige including turkey assad iran israel gcc.,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1313,10/19/2020,i saw the trump clip from the reno rally mentioning armenians. he said for the \xe2\x80\x9chispanic americans the armenian people are great business people.\xe2\x80\x9d did i hear that right  does he think armenians are hispanic \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f,United States of America,California,CA,Donald Trump,2,0\r\n1314,10/19/2020,i see conservatives blaming trump for not putting an end to the riots around the country and as a proponent of federalism and decentralization just how would he do so without violating those concepts  trump can't step in until the states ask him to.,United States of America,Virginia,VA,Donald Trump,0,-0.8\r\n1315,10/19/2020,i swear it looks to me like trump is just trying to kill poorpeople.,United States of America,Michigan,MI,Donald Trump,0,-0.7\r\n1316,10/19/2020,i thought it was a joke at first.  lol.  replace the trump piece with a lump of \xf0\x9f\x92\xa9.   trumpcrimefamily trumpispatientzero trumplied200kdied chess2020,United States of America,New York,NY,Donald Trump,1,0.1\r\n1317,10/19/2020,i want christmas to happen this year so i guess i will have to vote for trump.,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1318,10/19/2020,i want more tiktok trump dances,United States of America,California,CA,Donald Trump,1,0.2\r\n1319,10/19/2020,iam__network trump could still win. with more republicans expected to vote and more dems voting by mail he could pull off a narrow lead on election night and seek to prematurely declare victory arguing that mail-in ballots are fake. this is why americaneedspennsylvania voteblue,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1320,10/19/2020,icecube u calculatingly tried 2 play us. u started sowing seeds of doubt about voting 4 biden/harris a few weeks ago. y didn't u post that u were working with realdonaldtrump u were outed. why would you play black women for trump. not everything is transactional. integrity matters.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1321,10/19/2020,if a foreign government were to gain access to any of the information trump learned while in his position as president it would be the greatest intelligence win in history. trump  election2020 cia secretservice,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1322,10/19/2020,if armenians start bashing and arguing with each other over trump while our soldiers are on the battlefield dying...oh my goodness...please just take a nap we can talk tomorrow artsakhstrong,United States of America,California,CA,Donald Trump,0,-0.5\r\n1323,10/19/2020,if prayerworks prove it by staying home on november3rd and praying for trump to win bidenharris2020landslide votebiden trumpisalaughingstock trumpislosing votebidenharris votebluetosaveamerica,United States of America,California,CA,Donald Trump,2,0\r\n1324,10/19/2020,if trump isn\xe2\x80\x99t held accountable then the usa will never regain its reputation and status of leader of the free world. we have to votebidenharristosaveamerica and to save justice. we cannot turn a blind eye sigh and say it\xe2\x80\x99s over when trump is gone.,United States of America,Washington,WA,Donald Trump,0,-0.6\r\n1325,10/19/2020,imagine how great the world would be if these cheaters turned their evil minds toward good and actually tried to work for the people instead of trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1326,10/19/2020,imagine this clown that governors ny is telling me what candy to buy &amp; how to distribute it to trick or treaters hoax trump2020 trump trump2020landslide,United States of America,New York,NY,Donald Trump,0,-0.9\r\n1327,10/19/2020,imagine when melaniatrump realizes that she won\xe2\x80\x99t get a penny from divorcing donaldtrump because he\xe2\x80\x99s broke. \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1328,10/19/2020,in the midst of this dangerous and deadly covid pandemic our potus trump is viciously attacking our nation\xe2\x80\x99s leading infectious disease expert drfauci. i pray that usa  people can look at facts and science and see how incredibly wrong the president and his media folks are.,United States of America,Alabama,AL,Donald Trump,0,-0.9\r\n1329,10/19/2020,independent voter here. under biden\xe2\x80\x99s tax plan what would the standard deductions be i don\xe2\x80\x99t hear much about it other than no new taxes under $400k. reverting it back to the old administration would be a de facto increase right trump biden,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1330,10/19/2020,ingrahamangle here's an anwser. realdonaldtrump was not a successful businessman. he was in fact seriously in debt. he still is. but using taxpayers hard earned money to enrich the failed trump brand is criminal. he can prove me wrong easily. but he won't. he can't trumptaxes,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1331,10/19/2020,is trump dropping out of the debate realdonaldtrump trumpwarroom gop senategop cnnbrk foxnews abc nbcnews politico huffingtonpost cbsnews cspan votebidenharris vote maga votehimout trumpmeltdown trump,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n1332,10/19/2020,it\xe2\x80\x99s enabling republicans like john cornyn who deserve to lose.  silent dissent does not count if you vote for trump defend his egregious action vote to acquit him in trial and pretend you did not hear his racist insults and bullying tweets.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1333,10/19/2020,it\xe2\x80\x99s really funny how trumpsupporters think everyone is funneling money &amp; committing crimes... but trump. trumpcrimefamily trumptaxreturns trumpisbroke trumpisatraitor,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1334,10/19/2020,ivankatrump great jobtrump 2020 drain the swamp again,United States of America,New York,NY,Donald Trump,2,0\r\n1335,10/19/2020,i\xe2\x80\x99ve got $10 on trump saying \xe2\x80\x9cfuck it\xe2\x80\x9d and dropping bombs on the bidens\xe2\x80\x99 china/ukraine deals during the debate. debates2020 bidencrimefamiily hunterbidenlaptop hunterbiden chinajoebiden ukrainejoe burisma,United States of America,North Carolina,NC,Donald Trump,0,-0.2\r\n1336,10/19/2020,jaketapper major takeaways in the tradition of trump era resistance organs like cnn the hit piece is unsourced citing unnamed reporters. also the nyt doesn\xe2\x80\x99t care to point out that the harrisbiden2020 campaign has not declared anything in the emails inaccurate.  fakenews,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1337,10/19/2020,jason_elavocado i would like to challenge donaldtrump to an iq test. i can finish faster and have a higher score than him and more than likely his entire staff. not bragging but i would like our leaders to be smarter than me.,United States of America,California,CA,Donald Trump,2,0\r\n1338,10/19/2020,jeez i was hoping trump's fat fingers would have given an accidental dick-pic so he'd be an even bigger laughing stock not toobin sad,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1339,10/19/2020,joe biden for president  via rollingstone trump,United States of America,New York,NY,Donald Trump,2,0\r\n1340,10/19/2020,joebiden joe who wrote this for you awfully big words donaldtrump,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1341,10/19/2020,joebiden trump didn\xe2\x80\x99t play the endless war games like his predecessors from viet nam to middle east conflicts &amp; terrorism with obama/biden never in it to win it. trump  ended isis that obama allowed to fester &amp; bringing troops home from iraq &amp; afghanistan kag2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1342,10/19/2020,joebiden why were you screaming so loudly and creepily at a teleprompter today why you so angry that\xe2\x80\x99s not motivating anyone. just makes you look senile. elderabuse elderabuseawareness jillbideniscorrupt resign maga trump trump2020,United States of America,Arizona,AZ,Donald Trump,0,-0.1\r\n1343,10/19/2020,joebiden yes joe very kind indeed wear a mask and votefortrump2020 trump2020 bc ourconstitution the ruleoflaw safecommunities equality +teamwork matter we will vote for trump voteattheballotbox for strongcontrols.  trumptheunites stopthemadness on dividing we are all americans,United States of America,New York,NY,Donald Trump,2,0\r\n1344,10/19/2020,joey_frascati lmao good one joe. trump maga,United States of America,New York,NY,Donald Trump,1,0.4\r\n1345,10/19/2020,johnjamesmi worst for puremichigan polluting pfas greatlakes fishing ending preexistingconditions affordablecareact hurting puremichigan seniors trump supporter trumppuppet backed by betsydevosed betsydevos destroying schools freep grpress miningjournal ap,United States of America,Ohio,OH,Donald Trump,0,-0.8\r\n1346,10/19/2020,jonstackpool it might have been van morrison's into the mystic but that was before i learned he is a trump supporter.,United States of America,Hawaii,HI,Donald Trump,0,-0.4\r\n1347,10/19/2020,jor689 robertcahaly trafalgar_group joebiden realdonaldtrump jorgensen4potus patrickdmarley wisvoter sbauerap billglauber briana_reilly mspicuzzamjs wispolitics mattsmith_news rvetterkind trump\xe2\x80\x99s best path with more republicans expected to vote and more dems voting by mail he could pull off a narrow lead on election night and seek to prematurely declare victory arguing that mail-in ballots are fake. this is why americaneedspennsylvania voteblue,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1348,10/19/2020,journalist john ubaldi and joe bitz discuss dueling presidential townhalls.  presidentialtownhall townhall townhalls biden bidenharris joebiden realdonaldtrump trump2020 donaldtrump elections2020 election,United States of America,Florida,FL,Donald Trump,1,0.1\r\n1349,10/19/2020,judge strikes down donald trump's plan to slash food stamps for 700k unemployed americans,United States of America,California,CA,Donald Trump,0,-0.5\r\n1350,10/19/2020,kaitlancollins the people who are dying can\xe2\x80\x99t vote trump.,United States of America,Kansas,KS,Donald Trump,0,-0.7\r\n1351,10/19/2020,kamalaharris yeah thanks to trump kamalaharris  black students have more funding to accomplish their academic goal and aspirations... he wants to change the repression of those people and get the school of choice\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trump foxnews,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1352,10/19/2020,kayleighmcenany realdonaldtrump california for trump2020tosaveamerica san diego for trump,United States of America,California,CA,Donald Trump,1,0.2\r\n1353,10/19/2020,kayleighmcenany realdonaldtrump considering southern california has a population of 24 million a few thousand for trump is not a great get.,United States of America,Missouri,MO,Donald Trump,0,-0.6\r\n1354,10/19/2020,kellylucido saraecook trump &amp; the gop\xe2\x80\x99s war on scientists has caused more than 200k lives their war on the truth along with their echoing of russian propaganda is causing not only divisiveness among us but is inciting violence around our election. the truth must win out bidenharristosaveamerica,United States of America,Michigan,MI,Donald Trump,0,-0.4\r\n1355,10/19/2020,key words trump calls dr. fauci a \xe2\x80\x98disaster\xe2\x80\x99 \xe2\x80\x94 fauci tells americans \xe2\x80\x98stay away from the politics\xe2\x80\x99 trump whitehouse politics,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1356,10/19/2020,kirstiealley it makes sense that you would support trump and his cult since you support the biggest scam cult in the world scientology,United States of America,North Carolina,NC,Donald Trump,0,-0.9\r\n1357,10/19/2020,kriskay1111 preyers before the executioner takes trump to the gallows,United States of America,California,CA,Donald Trump,2,0\r\n1358,10/19/2020,laraleatrump trump the family and his sycophants make every corrupt gop politician and political appointee look like amateurs.  traitorinchief grifterinchief vote bidenharris \xe2\x9a\x96 \xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote out the trump devastation\xe2\x80\xbc\xef\xb8\x8f maga,United States of America,California,CA,Donald Trump,0,-0.3\r\n1359,10/19/2020,lasairport really what is with your pr lasairport why do promote trump\xe2\x80\x99s coming and goings have you not been stuck in the traffic mess caused by his travels,United States of America,Nevada,NV,Donald Trump,2,0\r\n1360,10/19/2020,learn why donaldtrump has no place in the oval office and is the equivalent of terrorist in chief  in this .pdf document download. -  - erasetrump erasethegop viralload northcarolina michigan whitehouse press misleading america,United States of America,California,CA,Donald Trump,0,-0.8\r\n1361,10/19/2020,lhabib95 ki676love williamprice413 catthekitten1 peaktransit true. trump does have a path to win. with more reps expected to vote and more dems voting by mail he could pull off a narrow lead on election night and seek to prematurely declare victory arguing that mail-in ballots are fake. this is why americaneedspennsylvania voteblue,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1362,10/19/2020,linda_from_ct pissofftrumpkin i sympathize with you at my doc visit my blood pressure was thru the roof. trump\xe2\x80\x99s desperate &amp; that terrifies meawakening militias in my state &amp; elsewhere is a putin move that the magat\xe2\x80\x99s just don\xe2\x80\x99t get i\xe2\x80\x99m sick of his divisiveness votebidenharris to unite us voteearly,United States of America,Michigan,MI,Donald Trump,0,-0.4\r\n1363,10/19/2020,lindapatch dennisaoconnor trump gives the crowd a lesson on how to confess to a felony.,United States of America,California,CA,Donald Trump,0,-0.4\r\n1364,10/19/2020,live liza draws trump tantrum . watch me on happsnews  trump drfauci,United States of America,New York,NY,Donald Trump,1,0.1\r\n1365,10/19/2020,maddux4163 voter fraud excuses won\xe2\x80\x99t help. even seniors abandon trump in record numbers over his mishandling of covid19,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1366,10/19/2020,maga2020 kag2020 kag maga trump2020 trump trumpkillsus trumpisnotwell vetsagainsttrump veteran veteransfortrump,United States of America,California,CA,Donald Trump,1,0.1\r\n1367,10/19/2020,makingmovesmonday makinmovesmonday icecube icetea comedy trump numberonesketchcomedygroup,United States of America,Tennessee,TN,Donald Trump,1,0.1\r\n1368,10/19/2020,man o man you gotta love a person that tells it like it is..hurtful or not truthmatters trump,United States of America,Tennessee,TN,Donald Trump,0,-0.2\r\n1369,10/19/2020,man trump beat hrc in 2016 and people are voting like their lives depend on it in 2020 with biden on the ticket. how is it that this race is this close jesus christ. the virus has killed almost 250k people in less than 9 months. hospitalizations are up in 40+ states,United States of America,Indiana,IN,Donald Trump,0,-0.2\r\n1370,10/19/2020,mariabartiromo foxnews sundayfutures senronjohnson devinnunes gopleader donaldjtrumpjr senatorloeffler maria why don\xe2\x80\x99t you do a show on former trump officials who want voters to vote against trump that\xe2\x80\x99s right. you\xe2\x80\x99re foxnews not the news,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1371,10/19/2020,mariabartiromo foxnews sundayfutures senronjohnson maria how about focusing on the millions of americans who r now going hungry or can\xe2\x80\x99t afford meds rent food these email are the last thing they r thinking about when they r living out of their car cnn foxnews trump trump2020 bidenharris joebiden kamalaharris donlemon,United States of America,Missouri,MO,Donald Trump,0,-0.7\r\n1372,10/19/2020,mattgertz this is trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n1373,10/19/2020,melmel624 supple89 pastordscott wouldn't it be nice if trump was inspiring had plans a platform had policies and win by merit  i listened to his rally - its entertainment and funny.  political satire. but i learnt nothing bout the actual role of potus and his vision.  just ranting and jokes. trumprally,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1374,10/19/2020,michigan gov. gretchen whitmer trump is inciting domestic terrorism. lockhimup trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1375,10/19/2020,mike_pence pence is in love with me trumpcrimefamily trump,United States of America,District of Columbia,DC,Donald Trump,1,0.9\r\n1376,10/19/2020,mike_pence voter fraud excuses won\xe2\x80\x99t help. even seniors abandon trump in record numbers over his mishandling of covid19,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1377,10/19/2020,mittromney if you confirm amyconeybarrett you\xe2\x80\x99ll be negating your stand against trump. you felt that he should be impeached. that he was wrong. you know in your heart this is wrong too. have strength. have dignity. do justly. love mercy. walk humbly. knowjusticeknowpeace,United States of America,Texas,TX,Donald Trump,2,0\r\n1378,10/19/2020,mollyjongfast ask yourself what's trump thetraitors plantofightthecovid19virus. he has no plan for anything period,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1379,10/19/2020,mollyjongfast little bit late for the \xe2\x80\x9cbe more likable \xe2\x80\x9c comment.donaldtrump we see who you are and it\xe2\x80\x99s very ugly.,United States of America,Kentucky,KY,Donald Trump,0,-0.8\r\n1380,10/19/2020,mondaymotivation votehimout trumpcrimefamily 4moreyears acb trump biden votethemallout,United States of America,California,CA,Donald Trump,2,0\r\n1381,10/19/2020,mosaisms wanderlustgalli if the emt or fireman saving you or your home voted for trump wouldn\xe2\x80\x99t you simply see them as another human being democrats are forgetting that party rhetoric at election time is not reality.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1382,10/19/2020,mostcorrupt exxonknew exxon oil bribes swamp greedy trump dumptrump2020 hunterbidenlaptop corrupttrumpfamily vote voteordie bidenharris2020,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1383,10/19/2020,my aunt with terminal cancer is ailing but she completed her last bucket list item- voting against trump. thank goodness oregon votes by mail she added a new item now- hearing the election results that trump lost. fingers crossed.,United States of America,Oregon,OR,Donald Trump,1,0.3\r\n1384,10/19/2020,mysterysolvent i can\xe2\x80\x99t. but has she been practicing with her dear leader mr. trump,United States of America,Hawaii,HI,Donald Trump,0,-0.1\r\n1385,10/19/2020,neuroscience and psychology suggest no surprise victory for trump this time - scientific american trump whitehouse politicalparties,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1386,10/19/2020,new stanford study suggests biden's agenda will have 4 devastating economic consequences  trump,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1387,10/19/2020,next week i\xe2\x80\x99d like to hear from ghislainemaxwell about the relationship between donaldtrump and jeffreyepstein. wouldn\xe2\x80\x99t you,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1388,10/19/2020,no big deal; trump\xe2\x80\x99s neglect killed spectator sports; and public education.,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1389,10/19/2020,no more than 200 biden supporters attended the bidendurhamrally compared to thousands of enthusiastic trump voters pack into each &amp; every trumprally,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1390,10/19/2020,not to mention this is one of trump s strongest areas. yeah they aren\xe2\x80\x99t in the tank for biden at all,United States of America,Tennessee,TN,Donald Trump,0,-0.2\r\n1391,10/19/2020,nowthisnews voted4biden in florida. hopefully people are doing enough to make trump go away.,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1392,10/19/2020,nypost they are such crooked filthy socialists. he has done zero for 47 years. can anyone name one accomplishment he is one of the strongest guys. donaldtrump joebidencrimefamily,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1393,10/19/2020,oh but we can fire you you sad son of a bitch...trump the zit on the ass of society,United States of America,Colorado,CO,Donald Trump,0,-0.9\r\n1394,10/19/2020,oh here we go trump trying to wiggle out of thurs. night's debate,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1395,10/19/2020,olivianuzzi haven\xe2\x80\x99t heard of melania saying she wants to cancel christmas but i\xe2\x80\x99ve heard the recording of her complaining about having to decorate the wh for christmas. as the sociopath he is trump has totally lost it.. as is usual for the sociopath when they know the jig is up.,United States of America,California,CA,Donald Trump,0,-0.5\r\n1396,10/19/2020,omarwaraich benazir_shah summers did both attack trump administration and praise pakistan at the same time. the two are not mutually exclusive.  what it means to me is that a developing country like pak with its limited sources did much better than us with all its resources.,United States of America,California,CA,Donald Trump,0,-0.1\r\n1397,10/19/2020,orangecounty trump    i just can\xe2\x80\x99t believe it.... i\xe2\x80\x99ve felt i\xe2\x80\x99ve lived s a nightmare since 2016 \xf0\x9f\x98\xa1,United States of America,California,CA,Donald Trump,0,-0.3\r\n1398,10/19/2020,owenedwards cammysinghcl true. trump does have a path to win. with more reps expected to vote and more dems voting by mail he could pull off a narrow lead on election night and seek to prematurely declare victory arguing that mail-in ballots are fake. this is why americaneedspennsylvania voteblue,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1399,10/19/2020,paramjitgarewal jjauthor trump\xe2\x80\x99s only path to win is with more reps expected to vote and more dems voting by mail he could pull off a narrow lead on election night and seek to prematurely declare victory arguing that mail-in ballots are fake. this is why americaneedspennsylvania voteblue,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1400,10/19/2020,parents made you smoke a whole pack of cigs to make you not try to smoke again. that\xe2\x80\x99s what trump and biden are doing so you don\xe2\x80\x99t vote.,United States of America,Oregon,OR,Donald Trump,0,-0.4\r\n1401,10/19/2020,pastor says god told her trump will win election.,United States of America,California,CA,Donald Trump,0,-0.1\r\n1402,10/19/2020,pathiltonlive razorpack65 trump ohio,United States of America,Ohio,OH,Donald Trump,2,0\r\n1403,10/19/2020,paul &amp; linda mccartney uncle albert parody on trumpcovid19 trumpcovid covid19 - check it out at  comedy satire paulmccartney beatles trump,United States of America,Texas,TX,Donald Trump,2,0\r\n1404,10/19/2020,pelosi makes bold comparison to trump administration,United States of America,Florida,FL,Donald Trump,1,0.2\r\n1405,10/19/2020,people should vote for president donald j trump for 2020. if not america will be gone forever. for your own good vote trump,United States of America,California,CA,Donald Trump,0,-0.1\r\n1406,10/19/2020,pissofftrumpkin emorin8182 nobody waves or parades the value of their offering...period that is sacrilege this proves trump hasn\xe2\x80\x99t attended church much he\xe2\x80\x99s clueless of the decorum and he\xe2\x80\x99s counting his money like he\xe2\x80\x99s at the checkout counter,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n1407,10/19/2020,political science fellow markpjonestx told washingtonpost that trump \xe2\x80\x9ccatalyzed\xe2\x80\x9d the demographic changes that already were at work in texas. election2020,United States of America,Texas,TX,Donald Trump,2,0\r\n1408,10/19/2020,politico donaldtrump is running hard for second place he wants enough votes in order to claim fraud. americans don\xe2\x80\x99t fall for his latest con vote,United States of America,California,CA,Donald Trump,0,-0.8\r\n1409,10/19/2020,pollster who called trump win in 2016 is back with 2020 call and issues a big red flag in pennsylvania trump2020tosaveamerica,United States of America,Virginia,VA,Donald Trump,0,-0.2\r\n1410,10/19/2020,potus arrives in phoenix arizona potus trump phoenix arizona skyharbor azcentral airforceone,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1411,10/19/2020,potus arrives in phoenix arizona trump potus phoenix arizona azcentral skyharbor airforceone senmcsallyaz dougducey,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1412,10/19/2020,potus is coming back to pennsylvania this coming week we\xe2\x80\x99re ready for you sir trumppence2020 trump votered trumptrain2020,United States of America,Pennsylvania,PA,Donald Trump,1,0.8\r\n1413,10/19/2020,potus is flat broke according to my sources trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1414,10/19/2020,preetbharara i'm watching it now. i'm trying to imagine trump leaving biden a letter on the resolute desk... yeah it's not coming to me\xf0\x9f\xa4\x94\xf0\x9f\x98\xac,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1415,10/19/2020,president trump tweeted \xe2\x80\x9cgreat news new government of sudan which is making great progress agreed to pay $335 million to u.s. terror victims and families. trump sudan nc10,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1416,10/19/2020,projecting again trump...you are just calling yourself a criminal...,United States of America,Colorado,CO,Donald Trump,0,-0.9\r\n1417,10/19/2020,projectlincoln actually if trump loses he will be taking us down with him for the next few months.  it's gonna be worse.,United States of America,Arizona,AZ,Donald Trump,0,-0.7\r\n1418,10/19/2020,reagan's son we have grifters in the white house dumptrump votebidenharris2020 grifterfamily donthecon trump gop \xe2\x81\xa6realdonaldtrump\xe2\x81\xa9,United States of America,Texas,TX,Donald Trump,2,0\r\n1419,10/19/2020,realdonaldtrump 60minutes dr fauci is a well respect man trump,United States of America,District of Columbia,DC,Donald Trump,1,0.7\r\n1420,10/19/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1421,10/19/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1422,10/19/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1423,10/19/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1424,10/19/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1425,10/19/2020,realdonaldtrump breitbartnews no one believes the senronjohnson &amp; rudygiuliani lies. the nypost didn't even believe that bullshit themselves. the fbi should be investigating johnson &amp; the other nazi gop housegop senategop meetings in moscow. gopbetrayedamerica trumpcrimefamily trump bidenharris2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1426,10/19/2020,realdonaldtrump breitbartnews you know what\xe2\x80\x99s sad is i go through donaldtrump\xe2\x80\x99s wall and i see not one tweet about policy vision or things that matters to ordinary americans. i just read vile conspiracy and \xe2\x80\x9che says she says\xe2\x80\x9d schoolboy banter.  enough of this crap.  vote joebiden,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1427,10/19/2020,realdonaldtrump i came to the us at 15 in 1998 and our country has had an incredible economic life and soul despite your best efforts. what are you talking about trumpkillsus trumpvirus trumphasnocredibility maga2020 kag2020 kag maga trump2020 trump trumpkillsus trumpisnotwell,United States of America,California,CA,Donald Trump,1,0.3\r\n1428,10/19/2020,realdonaldtrump is not a scientist not a doctor. dr. fauci has dedicated his life to public health and now trying in spite of trump and pence to help the us fight deaths from covid19 .,United States of America,New York,NY,Donald Trump,2,0\r\n1429,10/19/2020,realdonaldtrump president trump pleaded ignorance of qanon. well the country he governs has an fbi and a congress that could educate him,United States of America,California,CA,Donald Trump,0,-0.4\r\n1430,10/19/2020,realdonaldtrump putin tool and traitor donaldtrump makes benedictarnold look like a hero. remember in america we strap traitors into electricchairs and fry them and fat people like trump smell like bacon with you fry them.,United States of America,New York,NY,Donald Trump,2,0\r\n1431,10/19/2020,realdonaldtrump speaking truth right here we support a man who knows his place and is still humble maga2020 donaldtrump maga,United States of America,New York,NY,Donald Trump,1,0.9\r\n1432,10/19/2020,realdonaldtrump thank god realdonaldtrump is keeping coronvirus-palooza away from ny. it\xe2\x80\x99s super awesome of him to bring these super spreader events to red states sarcasm he\xe2\x80\x99s doing everything he can to kill his supporters trump trumpcrimefamily,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1433,10/19/2020,realdonaldtrump the spreader is coming trumpcrimefamily trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1434,10/19/2020,realdonaldtrump trump is the only one who has sunk to historic lows. he doesn\xe2\x80\x99t want to be president any more than we want him to. he\xe2\x80\x99s trying to avoid paying the $400 million he owes in back taxes. might be time for a negotiation w/joebiden to see if he\xe2\x80\x99d trade trump\xe2\x80\x99s debt for a concession.,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1435,10/19/2020,realdonaldtrump trump is the worse president ever history will not be kind to him. trumpvirus,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1436,10/19/2020,realdonaldtrump trumpbacktohell trump bidentosaveusa bidenpresident biden bidenharris2020,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1437,10/19/2020,realdonaldtrump trumpkills trump trumpdance  with criminals trumpknewanddidnothing votebiden joewillleadus,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1438,10/19/2020,realdonaldtrump unlike donaldtrump chief marionette of vladimir putin - at least dr fauci has balls,United States of America,California,CA,Donald Trump,0,-0.1\r\n1439,10/19/2020,realdonaldtrump wtf are you talking about that tweet makes no sense at all. you are the president of the united states of america. get a grip man. trump trumpisaracist,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1440,10/19/2020,realdonaldtrump \xe2\x80\x9c i don\xe2\x80\x99t want babies to be killed\xe2\x80\x9d  someone please remind the this  asshole of the kids in cages incident trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1441,10/19/2020,realdonaldtrump \xe2\x80\x9calready winning many states\xe2\x80\x9d really so it is rigged in trump favor what an absolute moron \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3the entire planet is laughing at him \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3,United States of America,Minnesota,MN,Donald Trump,0,-0.8\r\n1442,10/19/2020,repadamschiff it's hard to know which is worse a sociopathic president whose lies lead to the deaths of tens\xe2\x80\x94if not hundreds\xe2\x80\x94of thousands of americans. or the millions of americans who actually believe what this conman is selling. trumpcrimefamily trump faucihero trumpliespeopledie,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1443,10/19/2020,repkatieporter usps the pure arrogance of dejoy to basically state it would be a cold day in hell before he\xe2\x80\x99d ever resign is appalling these gopswampcreatures show no shame in thumbing their noses at the law for their seats in trump\xe2\x80\x99s administration. voteouteveryrepublican bidenharris2020,United States of America,Michigan,MI,Donald Trump,0,-0.2\r\n1444,10/19/2020,republican senator defending dr fauci as trump hits out at the infectious disease expert... election2020,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1445,10/19/2020,rightwingers r dumb. trump could have embraced the mask; libs would have resisted like they say they will a trump admin vaccine then there would be even more covid deaths in big cities filled w minorities. whitenationalistdream,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1446,10/19/2020,rlmk13 drewmac28 davidmweissman kirstiealley realdonaldtrump 3-it became evident that the cdc tests were producing too many false positives and false negatives. so trump became involved and called on public private partnerships private mfg for ppe medic equipment ventilatorsand pharma for tests treatments n vaccines to be clear..,United States of America,California,CA,Donald Trump,0,-0.4\r\n1447,10/19/2020,robreiner ... and his henchmen.  make funny memes at  trump,United States of America,California,CA,Donald Trump,2,0\r\n1448,10/19/2020,ryanafournier trump does have a path to win. with more republicans expected to vote and more dems voting by mail he could pull off a narrow lead on election night and seek to prematurely declare victory arguing that mail-in ballots are fake. this is why americaneedspennsylvania voteblue,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1449,10/19/2020,scotus will rule on trump administration policy forcing asylum-seekers to remain in mexico  via usatoday,United States of America,Oregon,OR,Donald Trump,0,-0.7\r\n1450,10/19/2020,sentedcruz washingtonpost seungminkim ted cruz you proclaim yourself christian but there's nothing in your words deeds or loyalty to trump which resembles the teachings of jesus who was big on honesty humility loving our enemies living modestly charity putting god above mammon etc. trump is a pharisee.,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1451,10/19/2020,sgt putin's heartless club band by ltcartoons trump trumprussia collusion muellerreport espionage politics humor comics cartoons funny offbeat ltcartoons,United States of America,Louisiana,LA,Donald Trump,0,-0.6\r\n1452,10/19/2020,shades of a certain other regime crowd chants su-per-man su-per-man su-per-man at trump in tucson.,United States of America,Wyoming,WY,Donald Trump,0,-0.2\r\n1453,10/19/2020,shirley_i_jest petebuttigieg no. please stop. or do you want trump to be re-elected,United States of America,Hawaii,HI,Donald Trump,0,-0.3\r\n1454,10/19/2020,so for those saying you're voting for trump to boost your portfolio it may be time to pivot. spx500 trump election2020,United States of America,Ohio,OH,Donald Trump,0,-0.1\r\n1455,10/19/2020,so johnbolton wants a republican senate to be a check and balance for a democratic president but isn\xe2\x80\x99t pushed by interviewer to explain why this body hasn\xe2\x80\x99t held donaldtrump accountable,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1456,10/19/2020,so she doesn\xe2\x80\x99t support trump-she\xe2\x80\x99s never hidden that. what does that have to do with a domesticterrorist plot to kidnap rape and murder her foiled by fbi \xe2\x80\x94 which realdonaldtrump never acknowledged nor denounced now he stokes vitriol to hurt her. just like putin,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n1457,10/19/2020,so there\xe2\x80\x99s a fugly slut here in arizona today i don\xe2\x80\x99t support you being here donaldtrump go home \xe2\x80\x9che doesn\xe2\x80\x99t even go here\xe2\x80\x9d tantrumtrump gohome meangrils gayforbiden,United States of America,Arizona,AZ,Donald Trump,0,-0.7\r\n1458,10/19/2020,so why is this ok joebiden donaldtrump blacktwitter  blm,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n1459,10/19/2020,some people are live-streaming the man on trumptower for likes and views to make money. there\xe2\x80\x99s something very wrong with that notion. trump trumptower chicago,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1460,10/19/2020,something happening in downtown chicago's trump tower which has heavy police presence in the area.  not tweeting the details cause is a sensitive case right now.,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1461,10/19/2020,ssexton1976 realrlimbaugh realdonaldtrump i suppose if hillaryclinton or joebiden  was president the death toll would be only 30k or less how can anyone know maybe trump has done a fantastic job maybe not. who knows,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n1462,10/19/2020,stand up comedy routines lately with moonwalks are simply show stoppers meant to distract from the deep shit we are in bc trump and gop spending and tax cuts...our children will pay for stoptrump,United States of America,California,CA,Donald Trump,0,-0.8\r\n1463,10/19/2020,steven_2320 yourmom009 6abc the only way for trump to win is with more democrats voting by mail he could be in the lead on election night and seek to prematurely declare victory and argue that the mail-in ballots yet to be counted are fraud. otherwise it is clearly biden.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1464,10/19/2020,stevenautrey lol. even seniors abandon trump in record numbers over his mishandling of covid19,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1465,10/19/2020,supreme court to hear challenges to trump border wall funding and asylum policies,United States of America,California,CA,Donald Trump,1,0.1\r\n1466,10/19/2020,supreme court to hear challenges to trump border wall funding and asylum policies - cnn whitehouse politicalviews trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1467,10/19/2020,supreme court to review trump border wall funding asylum policies | thehill - the hill trump political politicalparties,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1468,10/19/2020,supreme court will take up case against trump\xe2\x80\x99s \xe2\x80\x98remain in mexico\xe2\x80\x99 asylum policy trumperyresistance trump,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1469,10/19/2020,suprsdtwstdstrd kayleighmcenany dbongino realdonaldtrump trump is a russian patriot not america.,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n1470,10/19/2020,swatlashoover anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1471,10/19/2020,tamikaghamilton guess he\xe2\x80\x99s not feeling you \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f &amp; wants to crash his car into a trump caravan on purpose. trumpisyourpresident,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1472,10/19/2020,tdie2020 realdonaldtrump presssec gopchairwoman voter fraud excuses won\xe2\x80\x99t help. even seniors abandon trump in record numbers over his mishandling of covid19,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1473,10/19/2020,teamtrump realdonaldtrump really sheriff joe arpaio trump loves him.... how could anyone pardon this sick racist man... trump failed latinos \xf0\x9f\x92\xa5a vote for trump is a vote for arpaio\xf0\x9f\x92\xa5arizona who supports joe arpaio i fucking hate this man,United States of America,Arizona,AZ,Donald Trump,0,-0.8\r\n1474,10/19/2020,terri_____ creating the creature known as trump \xf0\x9f\x98\xac,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1475,10/19/2020,thanks for having me fox5dc  it was great chatting with stevechenevey about election2020 debates2020 and bluewall poll numbers with biden vs trump   15daystogo,United States of America,District of Columbia,DC,Donald Trump,1,0.9\r\n1476,10/19/2020,thanks to womensmarch for organizing an inspiring national march and to everyone who showed up in dc at a sister march or virtually \xf0\x9f\x97\xa3\xef\xb8\x8f we sent a message to trump that in 2 weeks we will votehimout and begin to rebuild our democracy \xe2\x80\x93 you can countonus \xf0\x9f\x99\x8c  powertothepolls,United States of America,Virginia,VA,Donald Trump,1,0.7\r\n1477,10/19/2020,thats deep...lately we all have just been asking trump to fuck off,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1478,10/19/2020,that\xe2\x80\x99s what voter suppression looks like in the age of trump. \xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 is whining all day long about attempts to steal the 2020 election while his supporters nationwide are engaged in the biggest voting fraud in american history.,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1479,10/19/2020,the asshole-in-chiefvideo..trump..gop..covid19,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1480,10/19/2020,the election question nobody is asking who do you want on the \xe2\x80\x9cred phone\xe2\x80\x9d if this country is under attack  realdonaldtrump or joebiden gstephanopoulos trump biden,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n1481,10/19/2020,the hill's morning report sponsored by goldmansachs tipping point week for trump biden congress voters thehill thehillmorningreport,United States of America,Texas,TX,Donald Trump,2,0\r\n1482,10/19/2020,the irony. many voted trump because they were done w/ lying politicians.   what we received in return was/is worse than anyone could\xe2\x80\x99ve imagined.  give me back the liars. lol trumpisnotwell trump trumphascovid,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1483,10/19/2020,the latest   my monthly travels daily news  thanks to 78tiger mrhodeshouse trump mexico,United States of America,New York,NY,Donald Trump,1,0.6\r\n1484,10/19/2020,the line of trump supporters more than half a mile long snakes past a historic cemetery in prescott an hour before he\xe2\x80\x99s scheduled to arrive.,United States of America,Arizona,AZ,Donald Trump,0,-0.4\r\n1485,10/19/2020,the man who was murdered was a trump supporter. maga facts denverprotest,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n1486,10/19/2020,the media isn\xe2\x80\x99t biased against trump. it\xe2\x80\x99s biased for him. media newsmedia journalism trump mediabias,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1487,10/19/2020,the nationalacademyscience awards drfauci for his outstandingservice inspite of trump\xf0\x9f\xa6\xa0\xf0\x9f\x98\xa9-my insert,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1488,10/19/2020,the nerve of you ignoring trump's complicity in the 220k who've died from coronavirus while he minimized the danger &amp; failed to set an example of practices that would keep people safe.,United States of America,Maryland,MD,Donald Trump,0,-0.8\r\n1489,10/19/2020,the republicans enabling trump\xe2\x80\x99s dangerous covid-19 comeback tour..trump..gop..elections,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1490,10/19/2020,thehill thehillopinion oh there is plenty of dirt.  unfortunately for trump its all his......,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1491,10/19/2020,theleoterrell realdonaldtrump seanhannity fox love this leo trump strong,United States of America,Indiana,IN,Donald Trump,1,0.9\r\n1492,10/19/2020,therynheart it's stunning the man primarily responsible for so much death and suffering is doubling down as we reach election day. trump's base buys the con but even those of us who despise him recognize his words matter. if he's re-elected many more americans will die. it's that simple.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1493,10/19/2020,these early vote numbers should scare republicans in north carolina. if you don't want trump to lose get active vote and personally drive your like-minded friends to the polls. no excuses. votetrump,United States of America,New York,NY,Donald Trump,2,0\r\n1494,10/19/2020,they do know this man had trouble walking up a ramp right \xf0\x9f\x98\x82 trumpdance trump hilarious,United States of America,Texas,TX,Donald Trump,2,0\r\n1495,10/19/2020,they say trump is a pedo,United States of America,California,CA,Donald Trump,0,-0.6\r\n1496,10/19/2020,this a perfect example of fascist priming where the fascist will set up the reason they have to \xe2\x80\x9cprotect\xe2\x80\x9d the country from the person who beats them in the election nullifying the results. trump is a traitor.,United States of America,North Carolina,NC,Donald Trump,0,-0.5\r\n1497,10/19/2020,this is crazy funny and you don\xe2\x80\x99t think it\xe2\x80\x99s fake because it sounds just like stuff trump says,United States of America,Georgia,GA,Donald Trump,1,0.8\r\n1498,10/19/2020,this is friggin hilarious. trump donaldtrump theapprentice preschoolapprentice tiktok,United States of America,Texas,TX,Donald Trump,1,0.5\r\n1499,10/19/2020,this is what it has come to. dedicated public servants receiving death threats. this is what trump and the gop have done to this country. votebluedownballot votelikeyourlifedependsonit voteouteveryrepublican,United States of America,Missouri,MO,Donald Trump,0,-0.2\r\n1500,10/19/2020,this is what trump and the corruptgop are trying to do to all america.  votelikeyourlifedependsonit votebluetoendthisnightmare votebidenharris,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1501,10/19/2020,this man here is going to safe your life and freedom. vote for donald j trump to safe life,United States of America,California,CA,Donald Trump,1,0.3\r\n1502,10/19/2020,this program is fascinating it details exactly how trump is an awful human being and leading us to disaster. he going to be pissed when he sees this theinsiders cnn,United States of America,Michigan,MI,Donald Trump,0,-0.2\r\n1503,10/19/2020,thomaskaine5 \xf0\x9f\x98\x82 \xf0\x9f\x98\x82 \xf0\x9f\x98\x82 so delusional. and excellent that this trump is saying he\xe2\x80\x99s going to run in 2024 if he loses 2020 election... as a sociopath this kind of language is a way of making themselves look good as they bow out... it means he knows he\xe2\x80\x99s losing.,United States of America,California,CA,Donald Trump,0,-0.2\r\n1504,10/19/2020,timodc psa to timodc \xe2\x9e\xa1\xef\xb8\x8f\xe2\x9e\xa1\xef\xb8\x8f thanks for converting your followers to trump  trumpisthankful,United States of America,Florida,FL,Donald Trump,1,0.7\r\n1505,10/19/2020,today\xe2\x80\x99s latest trump dogwhistle to his ignorant maga trumpsupporters denigrating drfauci to detract from trump\xe2\x80\x99s horrendous failure in fighting the covid_19 coronavirus &amp; his ignoring of the science we should listen to. just pathetic. trumpliedpeopledied joebiden2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n1506,10/19/2020,tonyposnanski therealhoarse mmpadellan littledeekay early voting in my county started today. i'm heading out in a few minutes to proudly vote against trump.,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n1507,10/19/2020,too real \xf0\x9f\x98\x82 biden trump chipotle americafirst,United States of America,Florida,FL,Donald Trump,1,0.3\r\n1508,10/19/2020,tpes morningpoliticalthought billbarr governmentspending debt fiscalyear2020 pelosi stimulus stimuluscheck nasa asteroid landlords tenants lenders seattle chop chaz laswsuit court firealarm trump maga2020 trump2020 vote2020 parler,United States of America,California,CA,Donald Trump,0,-0.1\r\n1509,10/19/2020,tpes morningpoliticalthought billbarr governmentspending debt fiscalyear2020 pelosi stimulus stimuluscheck nasa asteroid landlords tenants lenders seattle chop chaz laswsuit court firealarm trump maga2020 trump2020 vote2020 parler,United States of America,California,CA,Donald Trump,0,-0.1\r\n1510,10/19/2020,tpes morningpoliticalthought billbarr governmentspending debt fiscalyear2020 pelosi stimulus stimuluscheck nasa asteroid landlords tenants lenders seattle chop chaz laswsuit court firealarm trump maga2020 trump2020 vote2020 parler,United States of America,California,CA,Donald Trump,0,-0.1\r\n1511,10/19/2020,trump  is exactly like someone\xe2\x80\x99s crazy uncle.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1512,10/19/2020,trump &amp; senatemajldr gopleader vp lindseygrahamsc senjoniernst senmcsallyaz think we're really gullible wrong resist morningjoe joenbc morningmika steveschmidtses therickwilson projectlincoln nicolledwallace sruhle katyturnbc alyssa_milano maga blm fbr,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n1513,10/19/2020,trump 'inciting domestic terrorism' warns governor,United States of America,California,CA,Donald Trump,0,-0.6\r\n1514,10/19/2020,trump 2020\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 armenia haxteluenq usa america trump artsakhstrong,United States of America,California,CA,Donald Trump,1,0.2\r\n1515,10/19/2020,trump abandons any effort to fight covid19 in favor of herdimmunity. if he &amp; corruptgop steal election millions will die b4 there\xe2\x80\x99s an effective widely-distributed vaccine. if you value your life &amp; your loved ones\xe2\x80\x99 votebluetosaveamerica votebluedownballot trumpgenocide,United States of America,California,CA,Donald Trump,0,-0.2\r\n1516,10/19/2020,trump administration attempted to end food stamp benefits for nearly 700000 unemployed people judge blocked it as \xe2\x80\x9carbitrary and capricious\xe2\x80\x9d the first of three such planned measures to restrict the federal food safety net. trump vote foodsecurity,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n1517,10/19/2020,trump and biden urge supporters to voteearly as this week\xe2\x80\x99s final debate showdown awaits,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1518,10/19/2020,trump and his sycophants make every corrupt gop politician and political appointee look like amateurs. pedophileinchief traitorinchief grifterinchief vote bidenharris \xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote out the trump devastation maga,United States of America,California,CA,Donald Trump,0,-0.5\r\n1519,10/19/2020,trump armeniastrong artsakhstrong stopazerbaijainiagression,United States of America,California,CA,Donald Trump,1,0.1\r\n1520,10/19/2020,trump attacks fauci while preferring herdimmunity strategy that would kill millions.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1521,10/19/2020,trump calling drfauci a disaster is like hitler calling ghandi a mass murderer.,United States of America,Oregon,OR,Donald Trump,0,-0.7\r\n1522,10/19/2020,trump calling joebiden\xe2\x80\x99s family a criminal enterprise is a fucking joke he and his family are the criminal grifters...trumpcrimefamily trumpcrimesyndicate trumpcrimesagainsthumanity trumpthegrifter,United States of America,North Carolina,NC,Donald Trump,0,-0.9\r\n1523,10/19/2020,trump calls dr. anthony fauci a 'disaster' says americans 'are tired of covid' as nation faces spiking cases politicalviews trump potus,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1524,10/19/2020,trump calls fauci a \xe2\x80\x9cdisaster\xe2\x80\x9d gtfoh we should\xe2\x80\x99ve listened to fauci   thereidout,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1525,10/19/2020,trump calls u.s. top pandemic fighter tonyfauci a disaster and possibly an idiot as covid19 spins out of control on his watch. trump has simply given up the war on coronavirus. elections2020 niaidnews,United States of America,Idaho,ID,Donald Trump,0,-0.2\r\n1526,10/19/2020,trump can literally say \xe2\x80\x9cthe color green is not green it\xe2\x80\x99s red\xe2\x80\x9d and his people will go crazy like if he slim shady in 8 mile \xf0\x9f\x98\x82\xf0\x9f\x98\xad\xf0\x9f\x98\xad\xf0\x9f\x98\xad\xf0\x9f\x98\xad\xf0\x9f\x98\xad,United States of America,Michigan,MI,Donald Trump,0,-0.5\r\n1527,10/19/2020,trump effect another 10k local jobs,United States of America,California,CA,Donald Trump,0,-0.2\r\n1528,10/19/2020,trump family violates emolumentsclause,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1529,10/19/2020,trump has a list of political rivals he wants to \xe2\x80\x9clock up\xe2\x80\x9d gtfoh  thereidout,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1530,10/19/2020,trump has let 230000 americans die,United States of America,California,CA,Donald Trump,0,-0.3\r\n1531,10/19/2020,trump is actually the \xe2\x80\x98disaster\xe2\x80\x99 not fauci  trump unloads on anthony fauci  calling him a \xe2\x80\x98disaster\xe2\x80\x99 and an \xe2\x80\x98idiot\xe2\x80\x99 about coronavirus smartnews,United States of America,Washington,WA,Donald Trump,0,-0.9\r\n1532,10/19/2020,trump is crazy,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1533,10/19/2020,trump is responsible for putting this man's life in danger.,United States of America,Hawaii,HI,Donald Trump,0,-0.8\r\n1534,10/19/2020,trump is the number one anti - american criminal traitor,United States of America,California,CA,Donald Trump,2,0\r\n1535,10/19/2020,trump labels fauci a 'disaster' on campaign call | thehill trump fauci,United States of America,California,CA,Donald Trump,0,-0.3\r\n1536,10/19/2020,trump landslide2020,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1537,10/19/2020,trump literally called our fallen service members loser and suckers. so literally he can stfu he\xe2\x80\x99s the loser and his supporters are suckers.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.9\r\n1538,10/19/2020,trump never had covid. that\xe2\x80\x99s just more of his bullshit...,United States of America,North Carolina,NC,Donald Trump,0,-0.4\r\n1539,10/19/2020,trump putinspuppet trumpisacoward,United States of America,California,CA,Donald Trump,1,0.1\r\n1540,10/19/2020,trump santaclaus,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1541,10/19/2020,trump saying biden will listen to the scientists should be the campaign ad,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1542,10/19/2020,trump should look no further than in a mirror . trump and jeffreyepstein are the creeps behind molesting underagegirls pedophiles  with no shame and a lawless criminaljusticesystem in washington run by a corruptag votebidenharris,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1543,10/19/2020,trump slams faucihero  and all these idiots\xe2\x80\x99 and claims top pandemic doctor\xe2\x80\x99s advice would\xe2\x80\x99ve cost 500k coronavirus  deaths  ucfdevossbm institutessj,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1544,10/19/2020,trump talks about preventing 2 million coronavirus deaths \xe2\x80\x94 virtually no one is wearing masks.  trump,United States of America,Arizona,AZ,Donald Trump,0,-0.4\r\n1545,10/19/2020,trump tells michigan rally he expects to keep on winning political trump politicalviews,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1546,10/19/2020,trump trump2020 biden follow flag patriot redpill conservative republican maga 2a veteran 1a military prayfortrump votetrump votered  via newsclapper,United States of America,Illinois,IL,Donald Trump,2,0\r\n1547,10/19/2020,trump uses our us tax money illegeally -- supreme court to review trump\xe2\x80\x99s border wall funding and \xe2\x80\x98remain-in-mexico\xe2\x80\x99 program,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n1548,10/19/2020,trump vaticin\xc3\xb3 una \xe2\x80\x9cola roja\xe2\x80\x9d de votantes republicanos en florida -  evnews donaldtrump republicanos florida,United States of America,Florida,FL,Donald Trump,2,0\r\n1549,10/19/2020,trump vs biden on the environment\xe2\x80\x94here\xe2\x80\x99s where they stand. the two couldn\xe2\x80\x99t be further apart on their actions and plans on climatechange fossilfuels and more. we break it down in the run-up to the elections2020  natgeo craigawelch sarah_gibbens,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1550,10/19/2020,trump what an ignorant idiot,United States of America,Colorado,CO,Donald Trump,0,-0.9\r\n1551,10/19/2020,trump will win\xe2\x80\xbc\xef\xb8\x8f\xf0\x9f\x91\x8d\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 true americans will re-elect him. keepamericagreat,United States of America,California,CA,Donald Trump,1,0.3\r\n1552,10/19/2020,trump will win\xe2\x80\xbc\xef\xb8\x8f\xf0\x9f\x91\x8d\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 true americans will re-elect him. keepamericagreat .,United States of America,California,CA,Donald Trump,1,0.2\r\n1553,10/19/2020,trump \xe2\x80\x9cif you vote for biden he will surrender your jobs to china\xe2\x80\x9d that makes no freakin sense trumpliesmatter  theview,United States of America,District of Columbia,DC,Donald Trump,0,-0.9\r\n1554,10/19/2020,trump's evil superpower is the same as any schoolyard bully he knows how to read the crowd. this is a spot-on correct analysis of why we are in real trouble right now--all it leaves out is that he has led us to the trouble.  coronavirus votehimout,United States of America,Illinois,IL,Donald Trump,2,0\r\n1555,10/19/2020,trump's just making shit up as he goes. he just said that barrontrump was cured after having covid19 for 14 minutes.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1556,10/19/2020,trump's slow inept response to the coronavirus pandemic has cost american lives and will continue to over the next several months.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1557,10/19/2020,trumpcrimefamily trump,United States of America,Virginia,VA,Donald Trump,2,0\r\n1558,10/19/2020,trumpiscompromised all the details for 30 years trump has been compromised financially and personally. thread \xf0\x9f\x91\x87,United States of America,California,CA,Donald Trump,0,-0.2\r\n1559,10/19/2020,trumpiscompromised is from day one of his presidency trump,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1560,10/19/2020,trump\xe2\x80\x99s a malignant narcissist. no matter what happens in the election things will get worse &amp; if he loses prepare for the unfathomable between november &amp; january 2021.,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1561,10/19/2020,trump\xe2\x80\x99s amerika.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1562,10/19/2020,twitspice atrupar jeffmason1 even if when he gets trounced by biden trump and trumpism aren\xe2\x80\x99t going away any time soon. he will keep sniping and agitating on twitter and tv. he will eventually be silenced when his frontotemporaldementia runs its inevitable course.,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n1563,10/19/2020,twitter got nasty to kirstie alley for her donald trump support for 2020\xe2\x80\x99s us presidential election  kirstiealley donaldtrump 2020election,United States of America,California,CA,Donald Trump,0,-0.8\r\n1564,10/19/2020,twitter raps trump covid19 adviser as u.s. cases rise,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1565,10/19/2020,uh-oh president covid is going to implode. will trump back out of this thursday's debate,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1566,10/19/2020,v-32 ospreys land with the president. seconds later the pa system started playing pink floyd\xe2\x80\x99s dark side of the moon with the opening lines \xe2\x80\x9cthe lunatic is on the grass. i am not making this up. trump,United States of America,Arizona,AZ,Donald Trump,0,-0.3\r\n1567,10/19/2020,via crooksandliars as pandemic surges in us trump says 'people are tired of covid'  | trump gop republicans,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1568,10/19/2020,via crooksandliars mike's blog round up  | trump gop republicans,United States of America,New York,NY,Donald Trump,2,0\r\n1569,10/19/2020,via joshtpm expanding the court gains critical ground  | politics trump elections,United States of America,New York,NY,Donald Trump,1,0.2\r\n1570,10/19/2020,via newcivilrights trump\xe2\x80\x99s top covid advisor blocks testing attacks masks but says americans who have had a cold are protected  | civilrights lgbtq trump,United States of America,New York,NY,Donald Trump,2,0\r\n1571,10/19/2020,via rawstory even fox news didn\xe2\x80\x99t want to touch rudy giuliani\xe2\x80\x99s hunter biden laptop smear story report  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1572,10/19/2020,via rawstory these 6 key battleground states will decide the 2020 presidential election \xe2\x80\x94 and trump trails biden in all of them  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1573,10/19/2020,via rawstory trump headed to \xe2\x80\x98devastating\xe2\x80\x99 defeat thanks to his botched covid actions msnbc\xe2\x80\x99s john heilemann  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1574,10/19/2020,via rawstory trump\xe2\x80\x99s post-covid bravado is blowing up in his face and alienating voters report  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1575,10/19/2020,via rawstory \xe2\x80\x98blacks for trump\xe2\x80\x99 founder linked to murderous cult  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1576,10/19/2020,via rawstory \xe2\x80\x98every rally is boffo\xe2\x80\x99 trump melts down at nyt reporter who claimed his campaign knows it\xe2\x80\x99s losing  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1577,10/19/2020,via rawstory \xe2\x80\x98i need him home\xe2\x80\x99 families hit by muslim ban speak out ahead of vote  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1578,10/19/2020,via tpm biden confirms trump\xe2\x80\x99s devastating attack that he\xe2\x80\x99ll listen to scientists \xe2\x80\x98\xe2\x80\xa6yes\xe2\x80\x99  | trump politics election2020,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1579,10/19/2020,via tpm perdue\xe2\x80\x99s mocking of harris\xe2\x80\x99 name gives dem rival ossoff a big fundraising boost  | trump politics election2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1580,10/19/2020,via tpm trump camp accuses cpd of enacting \xe2\x80\x98pro-biden antics\xe2\x80\x99 ahead of last debate  | trump politics election2020,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1581,10/19/2020,video kimkardashian on still rocking with trump no matter what,United States of America,Florida,FL,Donald Trump,1,0.4\r\n1582,10/19/2020,vote election2020 biden harris bidenharris trump pence trumppence 46thpresident usa votecommongood,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1583,10/19/2020,wait and see; trump\xe2\x80\x99s biggest crowds are yet to come; people will line the street\xe2\x80\x99s as some police van carts him off to a prison in icy cold upstate ny,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1584,10/19/2020,walshfreedom this is trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n1585,10/19/2020,watch massive barge displays tribute to 'first responders' at florida trump maga boat parade; parades on both coasts.,United States of America,North Carolina,NC,Donald Trump,1,0.3\r\n1586,10/19/2020,watch no agenda 1287 school-ology adam curry &amp; john c. dvorak on youtube -  noagenda trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1587,10/19/2020,we need to defeat trump and trumpism on november3rd after that we need to fix this country and part of that is holding the trump administration accountable for the crimes they committed from financial to crimes against humanity to instigating domestic terrorism and unrest.,United States of America,Washington,WA,Donald Trump,0,-0.6\r\n1588,10/19/2020,we've repeatedly seen osha_dol and cdcgov do the bidding of meat packing companies rather than protect workers and their surrounding communities. being an essential worker does require you to sacrifice your health and safety. only the trump admin would be so cruel.,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1589,10/19/2020,what rhymes with irresponsible unfit mental midget idiot  trump trump donaldtrumpislyingtoyou  trumpcrimefamily trumplied200kdied  faucihero joewillleadus biden2020 bidenharrislandslide2020 joebiden  trumpconman,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n1590,10/19/2020,what trump does at these klan rallies is beyond disgusting... but what\xe2\x80\x99s even more repulsive are the laughing sneering brainwashed cretins who cheer his vile sexist racist hate-filled rants. shame on them...,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1591,10/19/2020,what what what he said that dr. fauci is a disaster nooooo trump's misguided policies &amp; very reckless actions are the disaster,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1592,10/19/2020,when realdonaldtrump disparages &amp; calls dr fauci an idiot he displays his own ignorance anger selfishness &amp; willingness for americans to die trump wants to deny the reality of covid for the stock market. are you willing to die for his stock market to rise that is the vote,United States of America,California,CA,Donald Trump,0,-0.1\r\n1593,10/19/2020,when will he just cut to the chase &amp; wear cheepclothing cause nothing can hide not even fig-leaves sewed across his false expression of a believer of christ can hide the face of evil on this falseprophet trump churches &amp; followers are not godly &amp; far from christ. resist,United States of America,California,CA,Donald Trump,0,-0.4\r\n1594,10/19/2020,whitmer slams trump crowd chanting \xe2\x80\x98lock her up\xe2\x80\x99 &amp; says it puts her family \xe2\x80\x98in danger\xe2\x80\x99 \xe2\x80\x93 days after kidnap plot revealed - look at the pictures these boys are playing dress up this is the trash that supports a racistpresident \xe2\x81\xa6joebiden\xe2\x81\xa9,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1595,10/19/2020,who is giving up all these trump calls i am so thankful votebidenharris,United States of America,Massachusetts,MA,Donald Trump,1,0.4\r\n1596,10/19/2020,why is it the facepalm gifs seem the most appropriate gifs when pertaining to trump lol hamillhimself thedailyshow perlmutations georgetakei  it also makes him more tolerable to a very small degree *le sigh*,United States of America,Colorado,CO,Donald Trump,0,-0.6\r\n1597,10/19/2020,why this average american is voting for donald trump,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1598,10/19/2020,why vietnamese americans are rooting for trump and how they can impact the us elections election2020,United States of America,California,CA,Donald Trump,0,-0.6\r\n1599,10/19/2020,why would anyone believe a liar like trump,United States of America,California,CA,Donald Trump,0,-0.8\r\n1600,10/19/2020,winky854 fracking. lol. even seniors abandon trump in record numbers over his mishandling of covid19,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1601,10/19/2020,wisenbergsol letheeileen ashsoles a troll is anyone who questions the veracity of trump supporters..they are so used to watching talking heads gaslight them on foxnews that any criticism of them or their cult leader donaldtrump  is attacked..,United States of America,California,CA,Donald Trump,0,-0.9\r\n1602,10/19/2020,wolverines denied federal protection. farmbureaus snowmobileassociations and american petroleum institute argues against listing wolverines as threatened or endangered trump and co continuous to weaken environmental legislation that protects people animals and the planet,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1603,10/19/2020,wow.  don\xe2\x80\x99t know the source or author but they nailed it. \xe2\x80\x9c...the stirrings of protest and despair\xe2\x80\x9d surrounding trump inauguration. good find emma,United States of America,Georgia,GA,Donald Trump,1,0.4\r\n1604,10/19/2020,wow...this is very one sided of you...looks like you project as much as trump,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n1605,10/19/2020,yes  maga2020landslidevictory maga trump trump2020,United States of America,New York,NY,Donald Trump,1,0.1\r\n1606,10/19/2020,you better go check trump's first,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1607,10/19/2020,you suprised death threats we knew you were fauci the fraud...it's was obvious.. you set our trump up he trusted you...all our lives have changed because he took your advice go to hell you will meet same fate you set on americans karmas mf \xf0\x9f\x87\xba\xf0\x9f\x87\xb2,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n1608,10/19/2020,you win wisconsin  ur sen. ronjohnsonwi is more embarrassing than r sen. tedcruz . our senator may be a coward who let's trump off the hook for calling his wife ugly but yours is a russianasset who parrots rudy's russian talking points. gopcomplicittraitors hunterbiden,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1609,10/19/2020,yup trump owes now $900m due in next 3-4 yrs,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1610,10/19/2020,zero % chance trump agrees to this. he can't... he needs to be able to interrupt &amp; blabber about nonsense. he doesn't have a platform he is running on- he has no real answers. allowing 2 uninterrupted mins makes it so he has to give real answers. bidenharris2020,United States of America,Arizona,AZ,Donald Trump,0,-0.2\r\n1611,10/19/2020,zoobadger scaramucci sad but true trump is incapable of empathy lives on revenge &amp; he can let over 220k americans die if it means he will be re-elected he is facing possible bankruptcy &amp; criminal charges if not so he will lie cheat stoke violence &amp; god knows what else to win voteouttrump,United States of America,Michigan,MI,Donald Trump,0,-0.9\r\n1612,10/19/2020,\xc2\xa1seguidores de donald trump atormentaron a hija del cucuy donaldtrump realdonaldtrump maga,United States of America,California,CA,Donald Trump,1,0.2\r\n1613,10/19/2020,\xe2\x80\x9chow do you think it makes little kids with stutters feel when they see you make a comment like this that\xe2\x80\x9d tapper asked trump. mondaymorning,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1614,10/19/2020,\xe2\x80\x9cwear a mask\xe2\x80\x9d no issue. but make sure that the \xe2\x80\x9cmask\xe2\x80\x9ddoes not mask the \xe2\x80\x9cscience\xe2\x80\x9d of corruption of hunterbiden   ;it does not mask \xe2\x80\x9cthe idea of antifa\xe2\x80\x9d used against america; it does not mask the axis of evil of chinese \xe2\x80\x98s ambitions. so on - - so vote in trump  trump2020,United States of America,California,CA,Donald Trump,2,0\r\n1615,10/19/2020,\xe2\x81\xa6realdonaldtrump donaldtrump says us economy is great so it must be ibm\xe2\x80\x99s fault that\xe2\x81\xa9 ibm reports third straight quarter of revenue declines that goes back pre-coronaviruspandemic . trumprecession covid19 coronavirus,United States of America,California,CA,Donald Trump,0,-0.1\r\n1616,10/19/2020,\xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 donaldtrump insists the us economy is back &amp; better than ever but economists say the economy won\xe2\x80\x99t be back to normal until 2022 or later there must be something wrong with fivethirtyeight report,United States of America,California,CA,Donald Trump,0,-0.5\r\n1617,10/19/2020,\xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 donaldtrump says people are 'tired of covid' which is true but are exhausted even more by trump saying stuff like drfauci is a 'disaster\xe2\x80\x99 \xe2\x80\x98how about injecting people with disinfectants\xe2\x80\x99 or \xe2\x80\x98what about uv probes\xe2\x80\x99 coronavirus,United States of America,California,CA,Donald Trump,0,-0.8\r\n1618,10/19/2020,\xef\xbf\xbcfacebook is so desperate to get their corrupt boy joebiden elected as every video on my main facebook stream which groups -tv stations i do not follow\xe2\x80\x94pop-up and is anti-donaldtrump fakenews propaganda \xe2\x80\x94yup \xe2\x80\x9cso far left they forgot what\xe2\x80\x99s right.\xe2\x80\x9d \xc2\xa9 zouvelosgeorge  2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1619,10/19/2020,\xf0\x9f\x8c\x95\xf0\x9f\x93\xb2 trump busca voto de los ancianos con promesas sobre la vacuna,United States of America,Florida,FL,Donald Trump,1,0.2\r\n1620,10/19/2020,\xf0\x9f\x93\xa3 new podcast october surprise ep. 279 on spreaker amyconeybarrett biden giuliani hunterbiden q_anon scotus townhalls trump ukraine,United States of America,California,CA,Donald Trump,1,0.2\r\n1621,10/20/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1622,10/20/2020,trump,United States of America,Wisconsin,WI,Donald Trump,2,0\r\n1623,10/20/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1624,10/20/2020,trump lies and we die anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,0,-0.4\r\n1625,10/20/2020,trump makes both the problem and the solution worse  anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler,United States of America,California,CA,Donald Trump,0,-0.7\r\n1626,10/20/2020,'black lives matter' navy seal who oversaw bin laden raid says he voted for joe biden  via yahoo biden trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1627,10/20/2020,'it's going to disappear' a timeline of trump's claims that covid19 will vanish  cnn vote,United States of America,Arizona,AZ,Donald Trump,0,-0.7\r\n1628,10/20/2020,'laptop from hell' trump compares hunter biden story to anthony weiner 'october surprise' of 2016,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n1629,10/20/2020,name,United States of America,Oregon,OR,Donald Trump,1,0.1\r\n1630,10/20/2020,name,United States of America,Oregon,OR,Donald Trump,1,0.1\r\n1631,10/20/2020,name,United States of America,Oregon,OR,Donald Trump,1,0.1\r\n1632,10/20/2020,.cnn donlemon the boorish statements by realdonaldtrump at trumprallytucson are to be expected. trump has always been a two-bit punk born to a rich daddy. it\xe2\x80\x99s clear he\xe2\x80\x99s losing the election so all of his worst instincts will be on display as he tantrums. election2020,United States of America,California,CA,Donald Trump,0,-0.2\r\n1633,10/20/2020,.tedlieu true sadly 1st their education is inadequate to provide an understanding of science; &amp; 2nd they have invested so much emotional capital in their support of trump their world in which they have so much in common w/ his dishonesty racism &amp; insincerity would crash,United States of America,Missouri,MO,Donald Trump,0,-0.7\r\n1634,10/20/2020,.trump\xe2\x80\x99s presidency began with pussy-grabbing and ends with toobin\xe2\x80\x99s zoom jerk. wake me when this nightmare\xe2\x80\x99s officially over...,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1635,10/20/2020,.whitehouse how can anyone in this administration continue working for trump knowing that they've helped spread covid-19 and caused death,United States of America,Massachusetts,MA,Donald Trump,0,-0.8\r\n1636,10/20/2020,1/10  \xc2\xa0immigration defines the trump era. but sailing along is a universe of ultra-powerful latin\xc2\xa0americans using power and money to acquire\xc2\xa0 visas green cards\xc2\xa0 and asylum.\xc2\xa0we show you how they are gamingthesystem,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1637,10/20/2020,2 weeks till we dump trump and start the healing. i just donated to two key states arizona and texas.  join me.,United States of America,Washington,WA,Donald Trump,2,0\r\n1638,10/20/2020,2 years after charlie kushner called the jcnj mayor an `asshole' they've ended their legal battle+he's resuming 64-story mixuse project in journalsquare. nj cre jared trump realestate,United States of America,New York,NY,Donald Trump,2,0\r\n1639,10/20/2020,2020election trumpisalaughingstock trump,United States of America,Illinois,IL,Donald Trump,2,0\r\n1640,10/20/2020,50 cent endorses trump due to the biden tax plan,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n1641,10/20/2020,50cent calls on followers to vote for trump citing bidentaxrateplan. politics,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1642,10/20/2020,50cent i don\xe2\x80\x99t know what you heard about trump but our ppl can\xe2\x80\x99t getting a dollar outta him. no cadillac no taxes you can\xe2\x80\x99t see. that\xe2\x80\x99s he is not the mf next p,United States of America,Georgia,GA,Donald Trump,0,-0.6\r\n1643,10/20/2020,50cent if you\xe2\x80\x99re endorsing trump let\xe2\x80\x99s send djt and biden some bransoncognac on bottlerover . liquordelivery bottlerover donaldtrump joebiden,United States of America,Texas,TX,Donald Trump,2,0\r\n1644,10/20/2020,50cent saw biden\xe2\x80\x99s taxplans. the one where he will now have to pay more than what he\xe2\x80\x99s been paying - less than his fairshare. that\xe2\x80\x99s the problem here you know. once people get to $400k they are unwilling to pay their fair share they want to hide cheat and vote for trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1645,10/20/2020,50cent says 'vote for trump' after seeing joe biden's tax plan 'i don't care trump doesn't like black people',United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1646,10/20/2020,50cent says he is voting \xf0\x9f\x97\xb3 for trump \xf0\x9f\x91\xa9\xf0\x9f\x8f\xbd\xe2\x80\x8d\xf0\x9f\x92\xbb\xf0\x9f\x98\x92,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n1647,10/20/2020,50cent speaks on trump and biden \xf0\x9f\x91\x80  new orleans louisiana,United States of America,Louisiana,LA,Donald Trump,2,0\r\n1648,10/20/2020,a far cry from the trump moves,United States of America,California,CA,Donald Trump,0,-0.6\r\n1649,10/20/2020,a picture from good old days when government worked. please let's get government back on its feet again. get rid of trump who isn't even trying to help americans. votelikeyourlifedependsonit voteblue votebidenharris,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1650,10/20/2020,a politicalscientist explains why the gop is a threat to americandemocracy  via voxdotcom news 2020election republicans america democracy endtherepublicanparty election2020 vote racism trump treason,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1651,10/20/2020,a question for my trump follower. what are you doing to contribute to the herd immunity idea,United States of America,Missouri,MO,Donald Trump,2,0\r\n1652,10/20/2020,activehomerenew everyone must take this seriously we are at a critical stage in our democracy right now the wannabe hitler trump has amassed power w/gop\xe2\x80\x99s approval. barr &amp; moscowmitch have led the way for a hostile takeover. if red state legislators follow w/electoral grab it\xe2\x80\x99s done,United States of America,Michigan,MI,Donald Trump,0,-0.3\r\n1653,10/20/2020,admirerlong wow is there a debunked conspiracy theory you haven\xe2\x80\x99t bought into \xf0\x9f\x98\x82 you are indeed the trump news target audience. don\xe2\x80\x99t give up on education you can  recover good luck,United States of America,California,CA,Donald Trump,0,-0.3\r\n1654,10/20/2020,after some exhaustive research i have discovered a cure for what ails ya....election trump biden catmull,United States of America,Texas,TX,Donald Trump,1,0.4\r\n1655,10/20/2020,after teacher\xe2\x80\x99s decapitation france unleashes a broad crackdown on \xe2\x80\x98the enemy within\xe2\x80\x99  maga americafirst trump buildthewall,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1656,10/20/2020,ag billbarr abusing the powers of the doj again. the attorneygeneral is the people lawyer not trump's cleaner,United States of America,Tennessee,TN,Donald Trump,0,-0.5\r\n1657,10/20/2020,all the accts i had to block today due to getting harassed threatened and bullied for being a trump supporter. this is inhuman and all they did was point fingers and blame trump and anyone who supports him. i am ashamed of humanity but thankful i\xe2\x80\x99m nothing like them \xe2\x9c\x8c\xf0\x9f\x8f\xbb,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1658,10/20/2020,almost 4 yrs ago the womensmarch led the resistance agst trump the power of that day ignited a broad movement that has grown &amp; worked to build new grassroots organizing to change america. saturday thousands marched again to votehimout vote4her rbglegacy womenswave,United States of America,California,CA,Donald Trump,1,0.1\r\n1659,10/20/2020,americans 'we're losing our democracy biden trump maga election2020  via youtube,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1660,10/20/2020,among other debts trump ran up there\xe2\x80\x99s this $16m tab from his covidmishandling. voteearly,United States of America,Illinois,IL,Donald Trump,2,0\r\n1661,10/20/2020,an ignorant fool could be on the trump dysfunctional family crest trumpisnotwell trumpvirus,United States of America,Rhode Island,RI,Donald Trump,0,-0.8\r\n1662,10/20/2020,another law trump breaks-- trump's campaign is broke so it's using the federal treasury as his reelection slush fund -- cpac ajc gop foxnews rushlimbaugh seanhannity gma veterans nypost abc cbsnews foxanfriends ingrahamangle tuckercarlson,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1663,10/20/2020,antitrump dumptrump fucktrump notmypresident trump resist donaldtrump voteblue trumpsucks gay beard beardedgay trumpmemes impeachtrump trumpisajoke lockhimup maga election trumpforprison democrats putinspuppet democrat vote impeach politics liarinchief,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1664,10/20/2020,aoc exxonmobil quick reminder that donaldtrump\xe2\x80\x99s first sec. of state was rextillerson who was ceo of exxon/mobil from 2006 to 2016. maybe trump\xe2\x80\x99s dementia is playing havoc with when he called exxon/mobil with his quid pro quo request or maybe he decided to go back to the well in 2020.,United States of America,California,CA,Donald Trump,0,-0.1\r\n1665,10/20/2020,ap fact check trump's falsehoods on virus taxes and bidens  trump biden election2020,United States of America,New Mexico,NM,Donald Trump,0,-0.5\r\n1666,10/20/2020,attacking anthony fauci is donald trump's dumbest closing message - cnn political politicalparties trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1667,10/20/2020,attacking science and experts in the medical field what a moron --&gt; trump goes after fauci  via snopes faucihero fauciherotrumpzero fauciisahero sciencematters factsmatter truthmatters trumpisalaughingstock trumpisanationalsecuritythreat,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n1668,10/20/2020,bad faith and blindness--do not waste time on undecideds now. bidenharris2020 trump election2020 undecidedvoters,United States of America,Maryland,MD,Donald Trump,0,-0.3\r\n1669,10/20/2020,barbarabollier danedach \xe2\x80\x9cpeople are tired of hearing fauci and these idiots all these idiots who got it wrong\xe2\x80\x9d he said.  well people are tired of hearing trump and his idiots all these idiots who got it wrong,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1670,10/20/2020,bblock29 actually both but trump takes the lead.,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1671,10/20/2020,beachboys splinter over politics again as brian wilson repudiates trump fundraiser,United States of America,California,CA,Donald Trump,0,-0.6\r\n1672,10/20/2020,bears whales and wolverines the species imperiled by trump's war on the environment  protecttheoceans,United States of America,Maryland,MD,Donald Trump,2,0\r\n1673,10/20/2020,biden is the guy who vents in front of you and then blames orange in chat. bruh you\xe2\x80\x99re the imposter. amongus maga2020 trump trump2020tosaveamerica trumppence2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1674,10/20/2020,biden needs to bust some moves like trump  maybe do a soft shoe shuffle\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 two-step he\xe2\x80\x99s slim looks good in suits it\xe2\x80\x99s a missed opportunity to be silly &amp; go viral  independent,United States of America,California,CA,Donald Trump,0,-0.5\r\n1675,10/20/2020,biden to trump \xe2\x80\x9cthe american people are tired of your lies\xe2\x80\x9d thereidout,United States of America,District of Columbia,DC,Donald Trump,0,-0.9\r\n1676,10/20/2020,biden\xe2\x80\x99s plan for the pandemic health care and economy he will help working class americans anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief,United States of America,California,CA,Donald Trump,1,0.2\r\n1677,10/20/2020,bill cosby. seeing a serial rapist looking terrible in their mug shot is a feeling of satisfaction because it means that justice is finally being served &amp; aging them horribly. now if only they could serve justice to donaldtrump so we could see his mug shot age like dorian gray.,United States of America,New York,NY,Donald Trump,2,0\r\n1678,10/20/2020,billkristol agreed.   the debate commission should cancel the next debate.  trump is incapable of following the rules or even respecting the moderator and the commission.,United States of America,California,CA,Donald Trump,0,-0.4\r\n1679,10/20/2020,bioethics on air episode 45 president trump's covid-19 treatment  bioethics medicalethics regeneron trump covid19 abortion vaccine covidvaccine osv catholicmed cathmedstudents ascensionhealth myfranciscan catholicnurses redeemerradio,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1680,10/20/2020,bpolitics again lies by trump. idk why his supporters can\xe2\x80\x99t see it\xe2\x80\x99s a conman. vote,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1681,10/20/2020,brooklynred3 dalphonmy daxgigandet again you\xe2\x80\x99re stating his kennedy wife is a trump supporter. cite the sources for your confidence. thanks.,United States of America,Illinois,IL,Donald Trump,2,0\r\n1682,10/20/2020,but trump has done so much for blackvoters covid disproportionally killed and improvised communities of color did he do something about that best president for blacks since lincoln \xf0\x9f\x98\x82 what a joke as more poc slip into the throws of poverty in trumpscoronaviruscatastrophe,United States of America,California,CA,Donald Trump,0,-0.8\r\n1683,10/20/2020,can we piss off trump and get  onetermdonald trending. he's already losing it let's help push him over the edge. veteransforbiden vetsagainsttrump veteransagainsttrump bidenharris2020landslide bidenharris2020 bluewave2020,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1684,10/20/2020,capperlegal johnjharwood you refer to me as a liberal hack trump is becoming irrelevant because there\xe2\x80\x99s a chance he\xe2\x80\x99ll lose the election. of course i am not a prognosticator but let\xe2\x80\x99s face it relevant or not at this point he is definitely responsible for a huge number of covid deaths &amp; u know that,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n1685,10/20/2020,check out content hub's video tiktok trump trumpcrimefamily trumphatesourtroops trumphateswomen trumphates chargehim find this guy find him,United States of America,District of Columbia,DC,Donald Trump,1,0.2\r\n1686,10/20/2020,chelseaclinton \xe2\x80\x98obsessed\xe2\x80\x98 trump talks about crookedhillary \xe2\x80\x98all the time\xe2\x80\x98  via breitbartnews hillary should accept her loss 2016 shutup and go write her book \xe2\x80\x9cit takes a village to satisfy bill\xe2\x80\x9d,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1687,10/20/2020,cnn well we all know only 1 microphone really needs to be muted. trump,United States of America,Minnesota,MN,Donald Trump,0,-0.3\r\n1688,10/20/2020,cnnbrk another move to help trump win russia is afraid of biden/harris team because it interferes with the grand plan of destroying us without the use of nuclear weapons. this plan was in the works for several decades &amp; it finally started to produce some result for the last 4 years.,United States of America,North Carolina,NC,Donald Trump,0,-0.4\r\n1689,10/20/2020,come on all you trump followers get on that old trump bus to nowhere,United States of America,Colorado,CO,Donald Trump,0,-0.6\r\n1690,10/20/2020,commission adopts new rules to mute microphones during presidential debate between president trump and former vice president biden,United States of America,Maryland,MD,Donald Trump,0,-0.3\r\n1691,10/20/2020,commission approves rules to mute mics at final trump-biden debate thehill,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1692,10/20/2020,commission changes rules to mute microphones during next debate politicalviews trump politicalparties,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1693,10/20/2020,cop danielubeda wears trump 2020 masks to intimidate voters at polling location,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1694,10/20/2020,corporatepiggie it\xe2\x80\x99s not enough to change the flow of what is happening. trump might win this now. two weeks ago i knew he would lose. now with everyone bringing up stories like reporters at the post against it etc and panicking is making believe biden is in big trouble. hunterbiden  trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1695,10/20/2020,dancrenshawtx trying to get this to melania \xe2\x99\xa5\xef\xb8\x8f\xf0\x9f\xa4\x8d\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8. it\xe2\x80\x99s a letter in a song. 2020trumplandslide 4moreyears bebest donaldtrump bekind trumppence2020 draintheswamp firstlady thewhitehouse,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1696,10/20/2020,danielsmanufacturingcorporation is based in orlando. its office displays a large trump flag on the flag pole outside the building. politics republicanlies,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1697,10/20/2020,dankojesse davidmweissman levparnas the reality is that trump is not anti riot in fact he's quite the opposite. he saw what would happen by fanning the flames and knew he could exploit it for political gain. calling in the ng was a stunt. biden said that the demonstrations were mostly peaceful which they were.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1698,10/20/2020,day 15 ddale8 is one of the best factcheckers there is factsmatter cnnpolitics cnn cnni trump,United States of America,Illinois,IL,Donald Trump,1,0.8\r\n1699,10/20/2020,dear donaldtrump supporters i want to hear from any of you how is joebiden going to take away god and your religion i know you won't answer because even all of you know he's talking out of his ass but you would never admit it.,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n1700,10/20/2020,debate2020 has become a democrat controlled scam with kristenwelker who hates our potus45 trump   suddenly the topics change to insulate hidenbiden and microphone shut off switch installed to muzzle our president usa should not allow this cloak and dagger crap.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1701,10/20/2020,deborah22747802 michelleobama joebiden there is nothing sanctimonious about the obamas making zillions of dollars doing nothing but leaving their own in ruins. trump is the one overturning their treachery freeing us from prisons. i hate the o's want my vote back.,United States of America,Arizona,AZ,Donald Trump,0,-0.7\r\n1702,10/20/2020,detroit _ since i try very hard to avoid donaldtrump on television and twitter i just heard about him walking out on lesleystahl. for those who prayed for her safety i'm sure she thanks you.60minutes letthesuperspreaderleave every room every little rally the white house.,United States of America,Michigan,MI,Donald Trump,1,0.5\r\n1703,10/20/2020,did south fl voters turn out in droves today to vote for trump restoredignitytothepresidency-votebluetosaveamerica,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1704,10/20/2020,did you know that today was the official white house character counts day they couldn\xe2\x80\x99t make it for one hour. trump crookedtrump trumphasnocharacter,United States of America,California,CA,Donald Trump,0,-0.2\r\n1705,10/20/2020,dlhughley did not hold back when he recently commented on icecube meeting with trump\xe2\x80\x94and ice cube responded. \xf0\x9f\x91\x80 \xf0\x9f\x8e\xa5 thedlhughleyshow  new orleans louisiana,United States of America,Louisiana,LA,Donald Trump,0,-0.1\r\n1706,10/20/2020,do not vote for biden his tax plan is ridiculous xrp trump xrpcommunity \xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8fvote for trump \xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8f,United States of America,California,CA,Donald Trump,0,-0.9\r\n1707,10/20/2020,do you remember watching cnn and seeing all the news that was happening around the world  its still happening.   i\xe2\x80\x99m so sick of trump because he gobbles up air time like he does baconator burgers... and it\xe2\x80\x99s always the same thing childish bs.  two weeks votehimout2020,United States of America,Oklahoma,OK,Donald Trump,0,-0.4\r\n1708,10/20/2020,doj files antitrust suit against google over search ads dominance  via nypost maga trump conservative hunterbiden,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n1709,10/20/2020,don't waste an opportunity to have trump attack members of the gop senate over stimulus. the bill goes against everything they believe; reaching agreement w/mnuchin could blow up/expose the party during reelection races. drew_hammill speakerpelosi senschumer,United States of America,Washington,WA,Donald Trump,0,-0.4\r\n1710,10/20/2020,donald trump anthony fauci a 'democrat' and 'friend' of the cuomos government political trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1711,10/20/2020,donaldtrump will look for any excuse to get out of the debate thursday. if he does that's fine with me. i'll take another joebiden town hall.,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1712,10/20/2020,dougducey realdonaldtrump mike_pence marthamcsally trump and \xe2\x80\x9cyour gal\xe2\x80\x9d mcsally are going down in az. martha like other trumplicans have made their beds after bedding down with trump. she may need some of those healthcare services she\xe2\x80\x99s trying to cut when her term ends in november.,United States of America,Ohio,OH,Donald Trump,0,-0.4\r\n1713,10/20/2020,eagleview73 or vladimirputin via donaldtrump... don\xe2\x80\x99t leave an opening when you debate. you\xe2\x80\x99ll be crushed.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1714,10/20/2020,election2020 trump campaign asks commission to 'rethink and reissue' topics ahead of presidential debate.,United States of America,Nevada,NV,Donald Trump,0,-0.4\r\n1715,10/20/2020,elijahschaffer tonybrunoshow i can't believe trump people aren't prepared for the landslide defeat he is about to receive you really have to come out of the little towns and cities you live in. stuff he does you wouldn't tolerate in your real lives so why adore him just be true to yourselves.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n1716,10/20/2020,enough about hunter biden. what about ivanka trump,United States of America,Texas,TX,Donald Trump,2,0\r\n1717,10/20/2020,erictrump how eric and donald trump shifted kids-cancer charity money into his business via forbes,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1718,10/20/2020,essenviews i was sick and tired of that refrain from day one. trump voters need to try to understand what it is like to be black in america what it is like to be a hungry child in america and what it is like to be a woman or guy person in america.,United States of America,Hawaii,HI,Donald Trump,0,-0.6\r\n1719,10/20/2020,exactly incorrect trump,United States of America,California,CA,Donald Trump,0,-0.7\r\n1720,10/20/2020,exxon denies trump called ceo for money. but big oil is donating way more to trump than biden - cnn,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n1721,10/20/2020,factcheck erictrump posted a manipulated photo of icecube and 50cent wearing trump hats. we\xe2\x80\x99ve included pictures of the hats they were actually wearing. the photo erictrump posted is false &amp; has been flagged by twitter.,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1722,10/20/2020,fauci not surprised over trump's covid-19 diagnosis after wh event trump politics political,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1723,10/20/2020,feline catsagainsttrump cats catlover cat kittens kitten kitty pets pet meow moe cutecats cutecat cutekittens cutekitten meowmoe catsofinstagram caturday catsoftwitter trump pussycat kittycafe notmycat,United States of America,Texas,TX,Donald Trump,1,0.4\r\n1724,10/20/2020,for the first time in my 30 years of voting i voted democrat bidenharris and all bluewave2020 straight down. i no longer recognize the gop or republicans. the party of lincoln is now the party of trump countryoverparty veteransagainsttrump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1725,10/20/2020,foxnews meanwhile because bigger stories were coming out today trump decided to call in his dni favor by having him contradict fbi reports... if y'all had brains you'd read the 1000 page bipartisan senate report,United States of America,California,CA,Donald Trump,0,-0.6\r\n1726,10/20/2020,fu trump supreme court rules pennsylvania can count ballots received after election day,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1727,10/20/2020,g_theoriginal realdonaldtrump trump/pence2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Alabama,AL,Donald Trump,2,0\r\n1728,10/20/2020,geoffrey_pete realdonaldtrump stevekalayjian varneyco don\xe2\x80\x99t believe what you see. it\xe2\x80\x99s only his base and a bunch of their kids. listen to what he says at those rallies... it\xe2\x80\x99s all about him and his fake accomplishments. it\xe2\x80\x99s more lies. trump just likes to hear himself talk.,United States of America,Ohio,OH,Donald Trump,0,-0.6\r\n1729,10/20/2020,georgepbush johncornyn do you support our president trump,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1730,10/20/2020,georgetakei yes also as churchill said of his foes as being ... always at your knees or at your throat  the way trump wheeled his way to the nomination in'16 was after every debate he'd go whining about unfairness to the rnc. then he takes full advantage of any power he has with no mercy,United States of America,Missouri,MO,Donald Trump,0,-0.4\r\n1731,10/20/2020,get after it vote for donald trump maga trump,United States of America,Nebraska,NE,Donald Trump,0,-0.3\r\n1732,10/20/2020,gonna be much less interesting in other words \xf0\x9f\x98\xac\xf0\x9f\xa4\xb7\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f presidentialdebate2020 uselection2020 uspresidentialelections2020 trump biden,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n1733,10/20/2020,gop mike_pence like the way trump answers questions  i prefer my daughter growing up in a better america. votebidenharris,United States of America,California,CA,Donald Trump,1,0.2\r\n1734,10/20/2020,gop realdonaldtrump it\xe2\x80\x99s a sad day when trump looks in the mirror and sees the candidate who won\xe2\x80\x99t be going to prison. \xe2\x80\x9cmirror mirror on the wall who\xe2\x80\x99s the f*ck up the most of all\xe2\x80\x9d,United States of America,Massachusetts,MA,Donald Trump,0,-0.7\r\n1735,10/20/2020,gotta love the catalan tradition of \xe2\x80\x98caganers\xe2\x80\x99 in nativity scenes. trump biden \xe2\x81\xa6reuters\xe2\x81\xa9,United States of America,District of Columbia,DC,Donald Trump,1,0.5\r\n1736,10/20/2020,grahamallen_1 realdonaldtrump cnn \xf0\x9f\x96\x95\xf0\x9f\xa4\xac\xf0\x9f\x91\xba\xf0\x9f\x92\xa9\xe2\x98\xa0\xf0\x9f\xa4\xae\xf0\x9f\x92\x80\xf0\x9f\x92\xaf trump,United States of America,Colorado,CO,Donald Trump,2,0\r\n1737,10/20/2020,great not let's look at conservatives and trump supporters ooops. no real arrests... awkward.,United States of America,Indiana,IN,Donald Trump,0,-0.5\r\n1738,10/20/2020,gunnasburner y\xe2\x80\x99all see this get them outta here \xf0\x9f\x98\xadblacklivesmatter\xc2\xa0\xc2\xa0\xc2\xa0\xc2\xa0\xc2\xa0\xc2\xa0\xc2\xa0 kpopstans kpop\xc2\xa0\xc2\xa0 kpopfans jiminfanart jimin blackpink\xc2\xa0\xc2\xa0\xc2\xa0\xc2\xa0\xc2\xa0\xc2\xa0\xc2\xa0 jungkoook lgbtqpride lgbt nickiminaj barbz arianagrande taylorswift\xc2\xa0\xc2\xa0\xc2\xa0\xc2\xa0\xc2\xa0\xc2\xa0\xc2\xa0 beyonce gayrights trumpisaracist donaldtrump conservative maga,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n1739,10/20/2020,he's $1 billion in debt trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n1740,10/20/2020,heal america....vote trump out.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1741,10/20/2020,here was realdonaldtrump unpaid bills prior to covid19 super spreader tour 2020 grifterinchief not to mention the tax payer funded golf and trump property visits,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1742,10/20/2020,here\xe2\x80\x99s why the media won\xe2\x80\x99t do their jobs on the hunterbiden story because it could help trump. it\xe2\x80\x99s that simple. and they\xe2\x80\x99re prepared to betray their profession to prevent that from happening.,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1743,10/20/2020,hey pennsylvania...matters not how many times trump comes to our state. we will not let this state go for him this time. think. understand the facts. be educated. votebidenharris votehimout votebluetosaveamerica,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n1744,10/20/2020,hey trump\xe2\x80\x99sters... donwinslow has a question for ya...,United States of America,New York,NY,Donald Trump,2,0\r\n1745,10/20/2020,he\xe2\x80\x99s angry. terrified. panicked. desperate. unhinged. these next two weeks are gonna be off-the-charts batshit cray-cray... trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1746,10/20/2020,hollandcourtney realdonaldtrump \xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8fi am asian american but i am voting for president trump 2020 because he keeps it real. he is human like the rest of us but he has passionate no bullshit love for america.\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8asiansfortrump boycottcnn silentmajority \xe2\x9c\xa8\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f,United States of America,California,CA,Donald Trump,1,0.8\r\n1747,10/20/2020,how does trump get good grades for the \xe2\x80\x9ceconomy\xe2\x80\x9d,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1748,10/20/2020,how long after trump election loss before melania files divorce papers,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n1749,10/20/2020,how sad is this. you are an absolute embarrassment trump. debate2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n1750,10/20/2020,how trump plowed through $1 billion losing cash advantage - abc news whitehouse trump politicalviews,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1751,10/20/2020,hypothetical what happens if trump wins re-election there's so much talk about him committing to a peaceful transfer of power &amp; what biden would do as president. what if he doesn't win then what what if trump is successful at stealing this election somethingtothinkabout,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1752,10/20/2020,i believe he wants trump defeated because he doesn\xe2\x80\x99t want an investigation into his own criminal past scotus scotusreporter,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1753,10/20/2020,i bet trump would allow any black person with the $green to rent an  overpriced unit in one of his tarnished properties today,United States of America,California,CA,Donald Trump,0,-0.7\r\n1754,10/20/2020,i can\xe2\x80\x99t help but think that the people in the middle part of the country-those who voted for trump in 2016 &amp; apparently believe him-are landing in hospitals because they listen to his dangerous comments that it\xe2\x80\x99s ok to not wear masks socially distance or worry about covid19.,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1755,10/20/2020,i did not vote for trump in 2016. i was a republican until today. i\xe2\x80\x99m officially an independent leaning blue. i do not support hate of any kind and the dealings this administration has done with covid. get out and vote biden vote 2020election bidenharris election2020,United States of America,Oklahoma,OK,Donald Trump,0,-0.3\r\n1756,10/20/2020,i don\xe2\x80\x99t understand why reporters keep asking trump when he was tested; i\xe2\x80\x99m telling you he never had covid. everything about trumpy is fakenews projecting and distraction from trumptaxfraud trumpcrimefamily trumpcrimesyndicate &amp; the debates2020 with his nemesis joebiden,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n1757,10/20/2020,i don\xe2\x80\x99t understand why the trump kids can\xe2\x80\x99t say \xe2\x80\x9cdad.\xe2\x80\x9d do they really think if they \xe2\x80\x9cfather\xe2\x80\x9d enough times that we\xe2\x80\x99ll all fall in line vote votehimout  votebidenharris votebluetoendthisnightmare votebidenharristosaveamerica votebluetosaveamerica,United States of America,Wisconsin,WI,Donald Trump,0,-0.8\r\n1758,10/20/2020,i interpret gawd telling patrobertson that endtimes &amp; will begin with trump's reelection - and to distribute that message - to be that gawd's sick of dropping hints these past years that gawd's sick of all the bad/stupid $+ we've been doing.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1759,10/20/2020,i long for the days when i wake up in the morning and i don't have to hear that nut job trump has already said or done 20 psychotic things. oh how i long for the day. it would be a day of peace and quiet. trumpisnotwell trumplied200kdied bidenharris2020,United States of America,New York,NY,Donald Trump,1,0.2\r\n1760,10/20/2020,i make a looooot of jokes about the trump pre-show playlist and y'all i *never* saw the lord's prayer coming.,United States of America,Oregon,OR,Donald Trump,2,0\r\n1761,10/20/2020,i mean considering how epstein and trump were once very chummy and then learning how epstein utilized leverage or extortion to become wexner's sole financial advisor . i can't help but think the same modus operandi epstein used on wexner is the same one trump used,United States of America,California,CA,Donald Trump,0,-0.6\r\n1762,10/20/2020,i respect fauci and science.... i don\xe2\x80\x99t trust any trump telling me anything about covid19 itrustdrfauci itrustfauci listentofauci sciencematters,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n1763,10/20/2020,i wish someone would sell trump regime playing cards like we had in iraq for saddam\xe2\x80\x99s regime. trumpcrimefamily traitortrump votevets jonsoltz malcolmnance sarahburris haymarketbooks,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1764,10/20/2020,i would pay money to see the moderator of the next biden-trump debate nbc's kristenwelker ask the stablegenius if he thinks aliens brought covid19 to the us with the help of biden pelosi and hillary to deprive him of 42 more years in office.,United States of America,California,CA,Donald Trump,0,-0.5\r\n1765,10/20/2020,i'm about to vote suck it trump,United States of America,Arkansas,AR,Donald Trump,0,-0.8\r\n1766,10/20/2020,i'm replaying an episode about potus trump this week because we are nearing the 2020 election and the talk about white evangelical support is big right now. listen and tell me where you think this support comes from,United States of America,Mississippi,MS,Donald Trump,0,-0.4\r\n1767,10/20/2020,if i get the covid19 i hope i get the 24 hr. strain like trump and i hope i'm immune to it afterwards....bigly immune,United States of America,Arizona,AZ,Donald Trump,0,-0.2\r\n1768,10/20/2020,if only people knew trump &amp; biden were both racists then the plutocracy would collapse with positive global ramifications,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1769,10/20/2020,if realdonaldtrump couldn\xe2\x80\x99t manage an interview with lesleyrstahl without throwing a tantrum just wait for the trump implosion when they cut off his microphone during thursday\xe2\x80\x99s debate2020 with joebiden.,United States of America,California,CA,Donald Trump,0,-0.6\r\n1770,10/20/2020,if russia is trying to get trump re-elected then china is doing the same for biden so what\xe2\x80\x99s the big deal,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n1771,10/20/2020,if the economy is great why aren't we  via youtube - your trump economy maga trumpcrimefamily vote,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1772,10/20/2020,if trump doesent have angels around him he\xe2\x80\x99s a lucky guy ...what is it up to 29 assassination attempts now you know you pissed off the rothschilds and the rockefeller\xe2\x80\x99s when they\xe2\x80\x99re shooting a missle atcha,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n1773,10/20/2020,if trump is reelected more arab &amp; muslim countries -that have internal reasons to wait- will join the abrahamaccords leading to the rise of a regional system including mideast mediterranean and african countries led by the us.,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1774,10/20/2020,if trump would spend as much time attacking fauci whitmer and the media as he should have working on getting usa out of the pandemic his poll numbers would have been better. \xf0\x9f\x99\x84,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1775,10/20/2020,if you hate realdonaldtrump you should cashapp me a dollar.. trying to see something $elizabethkivowitz trump trumpsucks,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n1776,10/20/2020,in a just world trump would lose the election then be charged with negligent homicide.,United States of America,Arizona,AZ,Donald Trump,0,-0.7\r\n1777,10/20/2020,instead of a mute button during the debate they should have one of those sound proof booths descend around trump. potus gop republican vote votehimout votebidenharris,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n1778,10/20/2020,is this a photograph of joe biden's house  trumpcrimefamily trumpisaliar trump erictrump fakenews,United States of America,Missouri,MO,Donald Trump,0,-0.1\r\n1779,10/20/2020,it figures that a texas gop senator johncornyn  would use a sexist trope to try and distance himself from trump. the rats are jumping trump's sinking ship. trumpdance trump,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1780,10/20/2020,it is a hard battle to fight trying to keep donaldtrump from desperately trying to destroy the country to keep his place in power. don't stop fighting. even the gop has started making statements that they never liked him. votebidenharris2020 gopcorruptionovercountry,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1781,10/20/2020,it is so nice to see the trump lovin owner of the dallascowboys lose so bad.,United States of America,Ohio,OH,Donald Trump,1,0.8\r\n1782,10/20/2020,it will. as zizek says trump has not only attacked the house of cards he has torn it down. even if biden gets the votes - which i doubt - trump still wins. who can ever take bumblin fumblin stumblin joe seriously.,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n1783,10/20/2020,it's funny how the democrats suddenly don't want to talk about foreignpolicy.  you don't suppose that has anything to do with those peace agreements the trump administration has brokered in the middleeast do you,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1784,10/20/2020,it\xe2\x80\x99s sad that the next presidentialdebate will have mics that will be muted because trump can\xe2\x80\x99t shut the f*ck up like an adult.,United States of America,Washington,WA,Donald Trump,0,-0.9\r\n1785,10/20/2020,i\xe2\x80\x99m excited for muted mics but also sad that we have to treat our presidential candidates like toddlers. debates2020 debatenight decision2020 bidenharris2020 trump,United States of America,Arizona,AZ,Donald Trump,0,-0.3\r\n1786,10/20/2020,i\xe2\x80\x99m sure there will be no corruption associated with this. save this tweet. corrupt trump biggovernment spend spend spend 5g wastefraudandabuse inspectorgenerals checksandbalances votehimout,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1787,10/20/2020,i\xe2\x80\x99m usually not shocked by what realdonaldtrump says...i gasped when i heard him call cnn \xe2\x80\x98dumb bastards\xe2\x80\x99 at his rally. i can\xe2\x80\x99t handle 4 more yrs of him let alone until january. trump dumptrump bidenharris2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n1788,10/20/2020,jchatterleycnn getting the quote of the day and cutting to the heart of fears that joebiden tax plan could tip the election to trump altruism is an all too rare reason for voting in any country....,United States of America,Massachusetts,MA,Donald Trump,0,-0.7\r\n1789,10/20/2020,jeffmason1 realdonaldtrump joebiden and again and again and again ...trump is still a sociopath.,United States of America,California,CA,Donald Trump,0,-0.2\r\n1790,10/20/2020,joe31706260 samstein sorry isn\xe2\x80\x99t that what the trump family does every weekend at maralago millionaires and billionaires paying the trump family which donaldtrump still profits from so that people can mingle with the potus  how is this different,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1791,10/20/2020,joebiden myjrtsjenks with only two weeks to go &amp; and a significant  of voters having already done so who's organizing a specific time simultaneously across all zones for wethepeople to walk out our door open a window etc. &amp; in unison shout trump you're fired across our entire usa,United States of America,Nebraska,NE,Donald Trump,0,-0.2\r\n1792,10/20/2020,joebiden needs to win this election in such a major landslide that gop gets the message that we are done with the bull and no more trump s need to ever run again.  we literally need to shame them in a way to say do your job  democratic super majority like there\xe2\x80\x99s never been,United States of America,Oklahoma,OK,Donald Trump,0,-0.6\r\n1793,10/20/2020,johnfugelsang is there a website where trump can order a new pandemic,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n1794,10/20/2020,johninphx joebiden kamalaharris my 17 year old son pays more in income taxes as a dishwasher at applebee\xe2\x80\x99s then trump \xf0\x9f\x98\xa2\xf0\x9f\x98\xa2\xf0\x9f\x98\xa2,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1795,10/20/2020,just what i\xe2\x80\x99m talking about . trump is in with these murderers he idolizes . think billbarr will take this to trial  no way  these people pump money into the trumpbussiness criminals,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n1796,10/20/2020,kaitlancollins abdallahcnn with only two weeks to go &amp; and a significant  of voters having already done so who's organizing a specific time simultaneously across all zones for wethepeople to walk out our door open a window etc. &amp; in unison shout trump you're fired across our entire usa,United States of America,Nebraska,NE,Donald Trump,0,-0.2\r\n1797,10/20/2020,kamalaharris let's see your crowd trump/pence2020,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1798,10/20/2020,katrinapierson realdonaldtrump \xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8fi am asian american but i am voting for president trump 2020 because he keeps it real. he is human like the rest of us but he has passionate no bullshit love for america.\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8asiansfortrump boycottcnn silentmajority \xe2\x9c\xa8\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f,United States of America,California,CA,Donald Trump,1,0.8\r\n1799,10/20/2020,kendilaniannbc this article was frightening. our own govt is not protecting our people sounds similar to the russia bounty story. common thread trump,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1800,10/20/2020,kingofdebt donald trump has at least $1 billion in debt more than twice the amount he suggested via forbes  trump campaigndebt trumpcampaign rnc republicans republican strategy money finances campaignfinance businessman loser revenue,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1801,10/20/2020,kylegriffin1 mute the microphones they should put trump in a soundproofed booth and lock the door.,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1802,10/20/2020,let\xe2\x80\x99s be honest. icecube and 50cent are only supporting trump because they are rich and don\xe2\x80\x99t want to be taxed. sellouts.,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1803,10/20/2020,lilo623 rightwingwatch potus realdonaldtrump hold up.... trump is corrupt there\xe2\x80\x99s nothing righteous about trump. i will say this too if my people which are call by my name.... you should know the rest. it\xe2\x80\x99s not about a president it\xe2\x80\x99s about the people in this nation who\xe2\x80\x99s hearts have turned &amp; the hate displayed is proof,United States of America,California,CA,Donald Trump,0,-0.6\r\n1804,10/20/2020,lilyreflections realdonaldtrump ... and you point is millions of people pray every second minute hour day. the press doesn\xe2\x80\x99t show that either. praying doesn\xe2\x80\x99t just happen at trump superspreader events. one thing we do know trump doesn\xe2\x80\x99t attend church unless to hold up a bible\xe2\x80\x94upside down. period.,United States of America,Ohio,OH,Donald Trump,0,-0.4\r\n1805,10/20/2020,look at title of this and think about what trump is doing to america. those who enable and support a traitor are also traitors trumpiscompromised trumpisatraitor,United States of America,California,CA,Donald Trump,0,-0.1\r\n1806,10/20/2020,maga trump americaortrump,United States of America,New York,NY,Donald Trump,2,0\r\n1807,10/20/2020,marthastewart ... \xf0\x9f\x96\x95 donaldtrump \xe2\x9c\x8c\xef\xb8\x8f snoopdogg \xf0\x9f\x92\xaf hollablock,United States of America,Massachusetts,MA,Donald Trump,1,0.2\r\n1808,10/20/2020,mask request by starbucks barista prompts customer tirade 'this is america ... trump 2020' and then goes on to say fuck black lives. what else would you expect from a trump supporter - nbc news  via googlenews,United States of America,California,CA,Donald Trump,0,-0.6\r\n1809,10/20/2020,mattwalshblog your 100% right you won\xe2\x80\x99t support anyone who isn\xe2\x80\x99t trump because trump is your savior this is the most unchristian thing i have read today trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n1810,10/20/2020,mattzieger no damning evidence. i get you revile trump. don\xe2\x80\x99t blame you but your mental gymnastics to defend biden big tech and the media\xe2\x80\x99s behavior must be exhausting. hope it\xe2\x80\x99s worth it. because there won\xe2\x80\x99t be an easy fix when this is all over.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1811,10/20/2020,mayawiley who is this karen that trump nominated to replace rbg  no no no to the anti-rbg,United States of America,California,CA,Donald Trump,0,-0.4\r\n1812,10/20/2020,maybe not. trump still wants a verifiable agreement. russia has rejected that.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1813,10/20/2020,mayrajoli ladyinthebackground   she was behind president trump left shoulder and was agreeing with what president trump was saying trump 2020,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1814,10/20/2020,media whose and i can't stress this enough...trump2020 trump alllivesmatter landslide2020  via newsclapper,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1815,10/20/2020,mediaite exclusive fox news passed on hunter biden laptop story over credibility concerns  via mediaite media newsmedia garbagejournalism misinformation disinformation russianmisinformation giuliani trump foxnews nypost,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1816,10/20/2020,megynkelly for a minute i thought you were expressing your outrage toward trump for inciting violence that has put the life of gov gretchen whitmer at risk and threatened dr tony fauci. but then i realized it's you so that wouldn't happen right,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1817,10/20/2020,melania trump to make rare campaign appearance after suffering from covid-19,United States of America,California,CA,Donald Trump,2,0\r\n1818,10/20/2020,michellehaak2 i agree michelle. trump using joebiden son  ridiculing him at a trumprally is sickening from a sickman addiction  everyone knows someone who\xe2\x80\x99s been there or died from drugs . i just lost my 30 year old nephew it hurts  it effects so many  dumptrump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n1819,10/20/2020,mind blowing the president of the united states is a pathological liar makings up stories as people cheer him on and this is normal trump exxonmobil realdonaldtrump truth elections2020,United States of America,South Carolina,SC,Donald Trump,0,-0.7\r\n1820,10/20/2020,msnbc maddowblog trump should take his worthless mismanaged administration on the road &amp; he &amp; all of his irresponsible irrelevant cronies can play for packed theatres in st. petersberg kotovo &amp; dubovka. trump will be putinspuppet &amp; vladimir the boss authoritarian puppeteer trumpcompromised,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1821,10/20/2020,msnbc trump &amp; the gop will never be forgiven for compromising our country\xe2\x80\x99s stability &amp; security including their mismanagement of covid19  healthinsurance  globaldiplomacy gunreform domesticterrorism racerelations cleanenvironment &amp; more. gopbetrayedamerica trumpcompromised,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1822,10/20/2020,mtnlovertoo hey janet. thanks for the follow. i jumped to it and followed you back. vail and moab my dad is from aspen and i love moab. we can send trump running for the hills or the kremlin we just need to stay focused. dumptrump2020 ridinwithbidenharris amymcgrath,United States of America,District of Columbia,DC,Donald Trump,1,0.4\r\n1823,10/20/2020,my latest \xe2\x80\x9cin light of the long history of jewish persecution it is worth stating that even if trump were \xe2\x80\x98good for the jews\xe2\x80\x99 american jewry ... cannot stand idly by as trump discriminates against fellow minority groups.\xe2\x80\x9d bidenharris2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1824,10/20/2020,nancy pelosi walks back the tuesday deadline she previously set for a stimulus deal with the white house politicalviews trump political,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1825,10/20/2020,never forget realdonaldtrump was really good friends with a child rapist. trump trump2020 trumpisapedophile trumpisanationaldisgrace,United States of America,Ohio,OH,Donald Trump,1,0.5\r\n1826,10/20/2020,new article of mine at  this election we have to defeat trump racism violentbrownshirts and fanatics hiding behind the cloak of the republicanparty. vote defeat coneybarrett religiouscultism and save the supremecourt and the rule of law.,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n1827,10/20/2020,nice photo of the family trump,United States of America,North Carolina,NC,Donald Trump,1,0.9\r\n1828,10/20/2020,nitrini1950 marczak_rob shellmartinewe gadthefly corey_feldman drphill40973582 sincityattorney kimegoldman cedesq thatmarciaclark patterico andytillett realronjeremy rosemcgowan ladaoffice kaplanrobbie johnjnazarian meganfoxwriter tippytopshapeu cherylshuman bpavelic vinniepolitan tacopinalaw lamobslugger fayeresnick1 db_brownie baezlaw alwayssparkle90 realmarkebner alexdatig behindthecrime2 theoliverstone lukeford realdonaldtrump vp whitehouse fbi dojph washingtonpost tuckercarlson seanhannity presssec judgejeanine ingrahamangle donaldtrump donaldtrump2020 proudboys proudboysstandby foxheadlines foxnews whitehouse marklevinshow realjameswoods caviziel parishilton,United States of America,New York,NY,Donald Trump,1,0.3\r\n1829,10/20/2020,normornstein realdonaldtrump apparently lesliestahl asked trump really important questions.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1830,10/20/2020,northportpolice in full uniform holding up trump signs on rt. 41 by sarasotavotes location. trumpisnotamerica trumpisaloser,United States of America,Florida,FL,Donald Trump,1,0.1\r\n1831,10/20/2020,novavax to present covid-19 vaccine data at world vaccine congress europe 2020 whitehouse trump politicalviews,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1832,10/20/2020,nygovcuomo aprildryan jesus christ... unnecessary deaths does the number 220000 mean nothing does the number 8-million mean nothing and let's be real he never had covid. why is nobody pursuing this maga 2a trump trumpcrimefamily,United States of America,California,CA,Donald Trump,0,-0.8\r\n1833,10/20/2020,nytimes - major shout-out to the editorial board for condemning trump potus - a well deserved total rejection of the president and his destructive hate filled tenure votehimout voteearly thank you votejoebidentosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1834,10/20/2020,nytimes fact ms. stahl had worn a mask at the white house up until the start of her taping with mr. trump including when she first greeted the president according to a person familiar with the interview. lesleystahl trump vote\xc2\xa0americaortrump,United States of America,Oregon,OR,Donald Trump,2,0\r\n1835,10/20/2020,nytimes what is the most pressing and dangerous issue facing america today  is it covid19 . is it unemployment  is it immigration  the most dangerous issue facing our democracy  is donaldtrump  mm robreiner washingtonpost steveschmidtses,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1836,10/20/2020,olivier_patti msactiviss there\xe2\x80\x99s no bottom to trump\xe2\x80\x99s abhorrent behavior false platitudes &amp; outright cruelty bidenharristosaveamerica votebluedownballot voteearly,United States of America,Michigan,MI,Donald Trump,0,-0.8\r\n1837,10/20/2020,olix pharmaceuticals to present at opt congress and bio-europe whitehouse politicalviews trump,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1838,10/20/2020,omfg kieselaymon bringing his a game at trump \xe2\x80\x9cwhen i read like trump in 3rd grade all my boys would whisper \xe2\x80\x98why he can't read'...over thirty years later this bastard gets a standing ovation for never ever being hooked on phonics.\xe2\x80\x9d resist bidenharris2020,United States of America,California,CA,Donald Trump,1,0.1\r\n1839,10/20/2020,omg you voted for trump....stop i... can't breath,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n1840,10/20/2020,one good thing about trump he really outed all the assholes didn\xe2\x80\x99t he trump,United States of America,California,CA,Donald Trump,1,0.5\r\n1841,10/20/2020,part 1 of 2 50cent says fck 62% nyc taxes under joebiden's plan n is votn realdonaldtrump \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f 50cent fiddy 20cent joebiden newyorkcity donaldtrump thesavageroom savage,United States of America,New York,NY,Donald Trump,1,0.1\r\n1842,10/20/2020,part 2 of 2 50cent says fck 62% nyc taxes under joebiden's plan n is votn realdonaldtrump \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f 50cent fiddy 20cent joebiden newyorkcity donaldtrump thesavageroom savage,United States of America,New York,NY,Donald Trump,1,0.1\r\n1843,10/20/2020,patrobertson's way of saying he's not voting for trump,United States of America,Nevada,NV,Donald Trump,0,-0.7\r\n1844,10/20/2020,people of kentucky  please for the sake of america ditchmitch dumptrump2020 - you hurt yourselves if you allow mitchmcconnell to return to the u.s. senate &amp; allow donaldtrump  to return to the whitehouse,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1845,10/20/2020,pinkvanillame i haven't seen my 84 year old mom since last christmas \xf0\x9f\x8e\x84and i don't plan to expose her to the trumpvirus this one either. \xf0\x9f\x98\xa5 this is time we can't get back. i hate trump.,United States of America,Maryland,MD,Donald Trump,0,-0.7\r\n1846,10/20/2020,please read alice\xe2\x80\x99s story. we\xe2\x80\x99re family friends and her late husband is the hero cop i\xe2\x80\x99ve been tweeting about all year. it\xe2\x80\x99s why i take trump\xe2\x80\x99s covid19 response so personally. please don\xe2\x80\x99t vote for him. thank you.,United States of America,New York,NY,Donald Trump,2,0\r\n1847,10/20/2020,possible leaked roadmap for the next phase of the agenda  via youtube donaldtrump trump billgates fauci donald trump is literally trying tonsave the world bill gates should be taken into custody immediately for crimes against humanity so should fauci,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n1848,10/20/2020,potus blushes whenever msm says his name trump,United States of America,New York,NY,Donald Trump,2,0\r\n1849,10/20/2020,potus is sad that he has to live with his wife again trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1850,10/20/2020,president trump hospitalized with covid-19 why aren't you wearing a mask 12 reasons for.  covid19 facemask trump pandemic covididiots savealife politicians noendinsight blog blogger,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1851,10/20/2020,president trump when asked whether he will try to interrupt joe biden less during thursday\xe2\x80\x99s debate said he \xe2\x80\x9cmay do that\xe2\x80\x9d adding \xe2\x80\x9cthere\xe2\x80\x99s a lot of people that say let him talk because he loses his train \xe2\x80\x94 he loses his mind frankly.\xe2\x80\x9d reporting via alliemalcnn,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n1852,10/20/2020,presidentialdebatecommission will mutemics during final debate2020  between donaldtrump and joebiden  via nypost election2020,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n1853,10/20/2020,presssec realdonaldtrump did she open it up to confirm it wasn't just blank pages or a thousand pages of trump word salad saying nothing,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1854,10/20/2020,probably gets a check from all of his resorts...keeping the money that the secret service has to pay out...trump should be paying that bill...,United States of America,Colorado,CO,Donald Trump,0,-0.4\r\n1855,10/20/2020,profosinbajo mbuhari drahmadlawan nigeria is passing through hardship and the president is hiding in another country donaldtrump this is a shame to nigeria president and his government cnn foxnews whitehouse endsars endswat endbadgoveranceinnigeria endpolicebrutalityinnigera,United States of America,Alabama,AL,Donald Trump,0,-0.8\r\n1856,10/20/2020,qurious about qanon get the facts about this dangerous conspiracy theory  via snopes qanondon qanoncult conspiracytheory conspiracytheories fakenews trumpisaliar trump,United States of America,Missouri,MO,Donald Trump,0,-0.5\r\n1857,10/20/2020,realdonaldtrump  anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1858,10/20/2020,realdonaldtrump  anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1859,10/20/2020,realdonaldtrump  anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1860,10/20/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1861,10/20/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1862,10/20/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1863,10/20/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1864,10/20/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1865,10/20/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1866,10/20/2020,realdonaldtrump at trumprallyflorida clapping &amp; \xe2\x80\x9ctwisting\xe2\x80\x9d towards maga fanboys waving folded dollar bills at trump,United States of America,California,CA,Donald Trump,0,-0.3\r\n1867,10/20/2020,realdonaldtrump calls the press \xe2\x80\x9cenemy of the people\xe2\x80\x9d wants his political opponent locked up says members of the press are criminals for not reporting what he believes that biden is a criminal. trump says fauci and scientists are wrong. and you want trump to continue,United States of America,Ohio,OH,Donald Trump,0,-0.7\r\n1868,10/20/2020,realdonaldtrump donaldtrump = pathetic,United States of America,California,CA,Donald Trump,0,-0.8\r\n1869,10/20/2020,realdonaldtrump foxandfriends agitprop interviews with prosperous tv personalities on foxnews is entertaining for trump\xe2\x80\x99s base but only highlights his crude personality and his gross intellectual deficits. if he stopped campaigning from now till the election his poll numbers will rise &amp; he could win,United States of America,California,CA,Donald Trump,0,-0.4\r\n1870,10/20/2020,realdonaldtrump gopleader presssec mike_pence debates2020 love to hear a question on accomplishments. joebiden 47 years of accomplishment vs 47 months of trump or have potu read his lists of accomplishments and remind the public the media silence on them have joe match.,United States of America,Florida,FL,Donald Trump,1,0.2\r\n1871,10/20/2020,realdonaldtrump hello gop are you seriously supporting this we now let countries pay their way off terrorism lists good god this trump nightmare must end votebluetosaveamerica votebluedownballot votebluetoendthisnightmare republicansfailedamerica,United States of America,Minnesota,MN,Donald Trump,0,-0.4\r\n1872,10/20/2020,realdonaldtrump how could y\xe2\x80\x99all sell america out to russia like that please make me understand msnbc maddow rudygiuliani senatemajldr lindseygrahamsc gopbetrayedamerica gopcorruptionovercountry  trumpiscompromised trump gopcomplicittraitors usa evangelicalsfortrump demonchaser,United States of America,Michigan,MI,Donald Trump,0,-0.4\r\n1873,10/20/2020,realdonaldtrump i am asian american but i am voting for president trump 2020 because he keeps it real. he is human like the rest of us but he has passionate no bullshit love for america.\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8asiansfortrump boycottcnn silentmajority \xe2\x9c\xa8\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f,United States of America,California,CA,Donald Trump,1,0.7\r\n1874,10/20/2020,realdonaldtrump lovely another covid19 superspreader event  when willl these people learn. when they die or a loved one dies. so sad. breaking. debate will have a mute the microphone because trump didn\xe2\x80\x99t follow the rules in the first one,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1875,10/20/2020,realdonaldtrump maggienyt markmeadows there has never been a time in the failed mismanaged morally &amp;  financially bankrupt career of trump when he had more opportunity of creating more chaos mayhem costly havoc despair &amp; unnecessary deaths if he is re-elected. votebluetoendthisnightmare votebluetosaveamerica,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1876,10/20/2020,realdonaldtrump so trump did another bad interview.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1877,10/20/2020,realdonaldtrump stevekalayjian varneyco if you hate realdonaldtrump you should cashapp me a dollar.. trying to see something $elizabethkivowitz trump trumpsucks,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1878,10/20/2020,realdonaldtrump thank you president trump for another brilliant political ad endorsing vice-president biden. joebiden is not petty petulant or childish. the contrast you constantly draw has made it difficult for republicans &amp; independents to vote trump.,United States of America,California,CA,Donald Trump,0,-0.3\r\n1879,10/20/2020,realdonaldtrump trump gets muzzled for the debate.\xf0\x9f\xa4\xab\xf0\x9f\xa4\xab\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3 trumpiscompromised thelincolnproject bidenharris2020tosaveamerica foxnews hunterbidenemails debates2020 jeffreytoobin maga muzzled trump2020tosaveamerica trumpisacoward trump votebluedownballot vote,United States of America,Oregon,OR,Donald Trump,2,0\r\n1880,10/20/2020,realdonaldtrump trumpisaloser trump trumpisalaughingstock,United States of America,New York,NY,Donald Trump,2,0\r\n1881,10/20/2020,realdonaldtrump yikes... someone is still mad about fauci on 60 minutes. mr. trump you\xe2\x80\x99re 74 not 4. you have the pettiness of a child. trumpisaloser,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1882,10/20/2020,realdonaldtrump your ranting is sad. trump trumpnotfitforoffice resist biden2020 biden bidenharris bidenharris2020tosaveamerica,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1883,10/20/2020,realerincruz i am asian american but i am voting for president trump 2020 because he keeps it real. he is human like the rest of us but he has passionate no bullshit love for america.\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8asiansfortrump boycottcnn silentmajority \xe2\x9c\xa8\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xe2\x9d\xa4\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f\xe2\x9c\xa8\xe2\x99\xa5\xef\xb8\x8f,United States of America,California,CA,Donald Trump,1,0.7\r\n1884,10/20/2020,remember when the orange clown  trump was discussing voterfraud this is it. dumptrump votebidenharris endthecircus rondesantisfl is trump lapdog. but it\xe2\x80\x99s all about the end. and we the people are in charge ron florida vote,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1885,10/20/2020,repleezeldin nancy goroff is not a radical liberal but you are a far right science denier who has enabled trump to promote herd immunity as a means to deal with coronavirus. do you realize how many long islanders would become infected if we followed that advice,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1886,10/20/2020,rightwingwatch a god did not say trump will 'win' he said trump will 'sin'. easy mistake.,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n1887,10/20/2020,riotwomennn ivankatrump erictrump \xf0\x9f\xa4\xac\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f\xf0\x9f\xa4\xac as disgusting and disturbing as this photo looks i don\xe2\x80\x99t think any of us are shocked that trump took his young daughter - ivankatrump - to hang out with jeffreyepstein...,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n1888,10/20/2020,riotwomennn trump looks like he is completely stoned in all of his wedding photos with marla maples.,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1889,10/20/2020,rswanson_uk independent no both sides are not provoking hatred and violence as are the gop and trump and his family. that's false equivalence.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1890,10/20/2020,sarahburris trump is one who desperately needs covid19 aid so can take credit &amp; buy votes. but .thedemocrats actually care people suffering 8m more in poverty millions evicted .speakerpelosi .senschumer must stay firm on $ for states locals hospitals schools ppe testing,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1891,10/20/2020,say something senategop senatemajldr gopleader housegop before someone gets killed you need to stand up for america he\xe2\x80\x99s trump preaching violence nytimes wsj washingtonpost chicagotribune bostonglobe phillyinquirer usatoday miamiherald sunsentinel texastribune,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1892,10/20/2020,sciencematters scientists trump unfittobepresident \xe2\x81\xa6adamzyglis\xe2\x81\xa9 joebiden bidenharris covid19 coronavirus climatechange environment publichealth voteforourlives,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1893,10/20/2020,scottadamssays i predicted trump would win last time too \xe2\x80\x94 my official prediction is coming election eve but he\xe2\x80\x99s gonna have to  \xf0\x9f\x91\x8b\xf0\x9f\x90\xb0 \xf0\x9f\x8e\xa9 this time.,United States of America,District of Columbia,DC,Donald Trump,1,0.2\r\n1894,10/20/2020,screw the trump supporters and what they think they\xe2\x80\x99ll do when he loses.  he will lose.  he\xe2\x80\x99s a loser.  i\xe2\x80\x99m not scared of any of them either.  you traitors lost several fights already.  sit down and shut up.  that\xe2\x80\x99s what potus shouldve said to the racist asses.  so i\xe2\x80\x99ll say it.,United States of America,Oklahoma,OK,Donald Trump,0,-0.4\r\n1895,10/20/2020,senschumer senatedems trump is one who desperately needs covid19 aid so can take credit &amp; buy votes. but .thedemocrats actually care people suffering 8m more in poverty millions evicted .speakerpelosi .senschumer must stay firm on $ for states locals hospitals schools ppe testing .nytimes,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1896,10/20/2020,should you move your money into cash if biden beats trump  will the market crash  what has happened historically when the stock market is compared to republicans or democrats in office  what are you doing with your portfolio,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1897,10/20/2020,shouldn't super billionaire trump find that much in his couch cushions,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1898,10/20/2020,skiermichael faudaville grandpasnarky dsparky120 dumptrumps2020 suzykw1 celtic_traveler maggieakoch daddypolitic bdubs121 petramccarron2 tucsonblonde scottcrates rich705 spunkkee realstdunstan mmooneytake5 zebusrugby not only is trump a malignant narcissistic sociopath he is a vicious cruel mean bully who has no redeeming qualities whatsoever,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1899,10/20/2020,snapchat promoting biden in emojis and have no trump emoji. go figure silicon valley censoring..,United States of America,Arizona,AZ,Donald Trump,0,-0.3\r\n1900,10/20/2020,snl sketch comedy trump potus bidenharris2020 \xe2\x80\x9ci test quite a bit.\xe2\x80\x9d  what the hell does that even mean,United States of America,California,CA,Donald Trump,0,-0.4\r\n1901,10/20/2020,so cry baby bitch trump walked out his 60minutes interview. i'm guessing they asked a factual question. and he couldn't handle it as usual.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1902,10/20/2020,so joebiden isn't campaigning anywhere this week put a lid on the whole week. yikes. playing prevent defense may ultimately cost him the election. just sayin. trump trump2020 biden election2020,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n1903,10/20/2020,so let's make fucking sure trump doesn't get a 2nd term because its highly likely another supreme court justice doesn't make it another 4 years.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1904,10/20/2020,so sad . . . karma is coming for trump and trumpadministration,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1905,10/20/2020,socialism communism fascism nazism capitalism trump biden usa freedom,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1906,10/20/2020,someone please help this man get home to moscow donaldtrump,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1907,10/20/2020,sounds like a shakedown mr.president trump  2020election exxon,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1908,10/20/2020,staten island remember this phrase when you vote now it's the tallest trump self centered reaction to 9/11 towers collapse was to refer to his own building now being the tallest in fidi .rudygiuliani find yourself again  please .fdny .nypd  wake up stockholmsyndrome,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1909,10/20/2020,support law police and the constituion legal rights freedom vote trump in person and make it count,United States of America,California,CA,Donald Trump,0,-0.2\r\n1910,10/20/2020,take a break. barackobama barackobama realdonaldtrump joebiden sentonywilliams joebiden donaldtrump obamamalik julie barack obama joe biden malik obama donald trump,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1911,10/20/2020,taxes 101 with \xe2\x81\xa6realcandaceo\xe2\x81\xa9 50cent joebiden trump,United States of America,New York,NY,Donald Trump,2,0\r\n1912,10/20/2020,teamtrump realdonaldtrump my 17 year old son pays more in income taxes as a dishwasher at applebee\xe2\x80\x99s then trump \xf0\x9f\x98\xa2\xf0\x9f\x98\xa2\xf0\x9f\x98\xa2,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1913,10/20/2020,televangelist pat robertson says the lord told him president trump will be re-elected which he says may spark the end times..trump..gop..elections..,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1914,10/20/2020,tgffund joanneb51416696 breaking911 you're confusing taxpayers with tax dollars. tax dollars are extracted by the government to 100% fund the military. although trump has rung up trillions in debt because his tax cuts can't come close funding his spending. otoh... blm receives donations to fund their non-profit.,United States of America,California,CA,Donald Trump,0,-0.4\r\n1915,10/20/2020,that\xe2\x80\x99s awesome. even fox\xe2\x80\x99s own series wants trump out. vote,United States of America,New York,NY,Donald Trump,1,0.4\r\n1916,10/20/2020,the clip the media has forgotten to replay is the one of trump stating he knew covid19 was going to be a pandemic before anyone else did. i believe he made this fabrication shortly after the announcement by the world health organization. i\xe2\x80\x99d love to see it again. voteblue \xf0\x9f\x99\x8f\xf0\x9f\x8f\xbd,United States of America,Nevada,NV,Donald Trump,1,0.1\r\n1917,10/20/2020,the crowd is visibly shivering. trump of course keeps his coat on.,United States of America,Oregon,OR,Donald Trump,2,0\r\n1918,10/20/2020,the gdp report next week will likely show record-breaking economic growth but it may not help trump politics government trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1919,10/20/2020,the latest us poll trust issue for trump on coronavirus - the associated press potus politicalparties trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1920,10/20/2020,the presidential debate commission now has the ability to mute microphones at points during thursday's meeting between trump and biden because no one needs to listen to trump have yet another meltdown for 90 minutes.   trump joebiden scotus jeffbridges,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n1921,10/20/2020,the swamp is an overflowing cesspool of trump\xe2\x80\x99s best people. just keeps squeezin\xe2\x80\x99 \xe2\x80\x98em out. so many human turds floating around &amp; clogging the drain. imagine how many more trumpers we\xe2\x80\x99ll find at the bottom when biden pulls the plug. he\xe2\x80\x99s gonna need a sewer snake &amp; a hazmat team.,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1922,10/20/2020,the trump administration is demonizing foreign workers \xe2\x80\x94 again. hb1,United States of America,Minnesota,MN,Donald Trump,0,-0.1\r\n1923,10/20/2020,the trump mute function is an awesome idea i would like to see a piece of code that automatically mutes trump on any tv/cable/internet media channel,United States of America,California,CA,Donald Trump,1,0.2\r\n1924,10/20/2020,thedailybeast gtconway3d trump whinylittlebitch,United States of America,Texas,TX,Donald Trump,2,0\r\n1925,10/20/2020,thedailybeast i\xe2\x80\x99m thinking the previous exxonmobil ceo rex tillerson will makes sure that the current ceo is reminded not to donate and just hang up on the \xe2\x80\x9cf\xe2\x80\x99n moron - you know clarification trump,United States of America,California,CA,Donald Trump,0,-0.8\r\n1926,10/20/2020,thehill has trump listened to the lyrics of his rally songs  machoman. \xe2\x80\x9cbody body wanna feel my body. body baby such a thrill my body.\xe2\x80\x9d   i want to hear fleetwoodmac once again singing yesterday\xe2\x80\x99s gone. \xe2\x80\x9cjust think what tomorrow will do.\xe2\x80\x9d votebidenharris voteblue trumpmeltdown,United States of America,Illinois,IL,Donald Trump,1,0.2\r\n1927,10/20/2020,thehill we are so unlucky to have realdonaldtrump as president especially during the covid19 crisis. with more than 8 million covid cases &amp; more than 200000 deaths - and growing we are tired of trump &amp; his lies  &amp; his gop idiots. trumpliedamericansdied votebluetoendthisnightmare,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1928,10/20/2020,thehill's campaign report twoweeks to the election l biden leads in new polls as debate looms l trump pressures doj on hunterbiden thehill,United States of America,Texas,TX,Donald Trump,2,0\r\n1929,10/20/2020,theofficertatum 50cent saw biden\xe2\x80\x99s taxplans. the one where he will now have to pay more than what he\xe2\x80\x99s been paying - less than his fair share. that\xe2\x80\x99s the problem here you know. once people get to $400k they are unwilling to pay their fair share they want to hide cheat and vote for trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1930,10/20/2020,theofficertatum trump \xf0\x9f\x91\x8d\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x91\x8d,United States of America,Indiana,IN,Donald Trump,1,0.3\r\n1931,10/20/2020,there should be a hashtag for that. trumpissobrokethat. i\xe2\x80\x99ll start. trump is so broke that he can\xe2\x80\x99t afford to lose the election.,United States of America,California,CA,Donald Trump,0,-0.2\r\n1932,10/20/2020,therightmelissa realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1933,10/20/2020,these wealthy black male celebs endorsing trump no longer live where the majority of us do and no longer understand how much the average person makes. anyone who is not wealthy that follows the endorsement of 50cent kanyewest miketyson icecube is crazy.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1934,10/20/2020,this is why he marries immigrants \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f trump,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1935,10/20/2020,tiffany trump proving there aren't any quality people under the trump name. to be fair though if she's that drunk i'm sure she has slept with a woman at some point without realizing it doesn't make you an ally. trumpcrimefamily trumpcrimefamilyforprison trumpisnotamerica,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1936,10/20/2020,tiffany trump. at least she can use being drunk as an excuse. donaldtrump supposedly doesn't drink and yet he is less coherent than a person who is wasted 24/7. mondaythoughts mondaywisdom mondaymorning donaldtrumpislyingtoyou trumpisnotwell trumpisnotamerica,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1937,10/20/2020,tlsg99 joebiden realdonaldtrump and it was trump who also spoke ill of blacks as if we are all guilty criminals deserving of police brutality. he defended the police and now he wants to point to reform while praising the cops and revictimizing blacks. y\xe2\x80\x99all only want our votes.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1938,10/20/2020,today the usa today editorial board of which i'm a member does something it has never done before endorse a candidate for president of the united states;  election2020 elections2020 trump biden usatodayopinion freep,United States of America,Michigan,MI,Donald Trump,0,-0.2\r\n1939,10/20/2020,tpes morningpoliticalthought billbarr doj antitrust google pelosi stimulus stimuluscheck census2020 newsoverload fatigue debates debates2020 pge california firealarm texas mailinballots trump maga2020 trump2020 vote2020 parler,United States of America,California,CA,Donald Trump,2,0\r\n1940,10/20/2020,trump,United States of America,California,CA,Donald Trump,2,0\r\n1941,10/20/2020,trump,United States of America,Alaska,AK,Donald Trump,2,0\r\n1942,10/20/2020,trump administration paid out to their donors and cronies while rest of america suffered,United States of America,California,CA,Donald Trump,0,-0.5\r\n1943,10/20/2020,trump and penelope kristenwiig snl nbc he's always bigger better stronger more beautiful than anybody else. in reality he's always smaller worse weaker more ugly inside and outside than anybody i've known or heard of.,United States of America,New York,NY,Donald Trump,2,0\r\n1944,10/20/2020,trump and the gop did this.,United States of America,Indiana,IN,Donald Trump,0,-0.2\r\n1945,10/20/2020,trump at rally in penn. talking about energy but does not mention iowa biofuels ethanol. his remarks all about oil.  ohio agriculture minnesota michigan wisconsin,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1946,10/20/2020,trump biden election2020 youtube,United States of America,Georgia,GA,Donald Trump,2,0\r\n1947,10/20/2020,trump biden russiandisinformation election2020,United States of America,Georgia,GA,Donald Trump,1,0.1\r\n1948,10/20/2020,trump buying votes from farmers with taxpayer $ but no money from moscowmitch .senatemajldr &amp; .gop for desperate people losing jobs homes for hospitals states localities to get thru covid19 votebidenharristosaveamerica votebluetoendthisnightmare .crewcrew .msnbc,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1949,10/20/2020,trump campaign manager challenges commission for changing topics of final debate government politics trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1950,10/20/2020,trump core base is the rabid supporters,United States of America,California,CA,Donald Trump,2,0\r\n1951,10/20/2020,trump could doing do 45 minutes of a 60minutes interview. lowenergy sleepydon,United States of America,Ohio,OH,Donald Trump,2,0\r\n1952,10/20/2020,trump delivered his scotus promise but his pandemic response cost him support among christians  via usatoday,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n1953,10/20/2020,trump did this.,United States of America,Indiana,IN,Donald Trump,0,-0.1\r\n1954,10/20/2020,trump drops out of the debate in 321...,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1955,10/20/2020,trump endthechaos,United States of America,New York,NY,Donald Trump,2,0\r\n1956,10/20/2020,trump fox news bros murdocks stuck a finger in every republican eye who supports president trump. watch oan or newsmax fox news embrace of socialism with support of the radical communists democrats. unamerican,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1957,10/20/2020,trump goes twump ... uwu,United States of America,New York,NY,Donald Trump,1,0.1\r\n1958,10/20/2020,trump has at least $1 billion in debt more than twice the amount he suggested..trump..gop,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1959,10/20/2020,trump has to go democrats republicans you know it in your heart he is not the man for this job. he\xe2\x80\x99s not a leader he\xe2\x80\x99s a lying narcissist who values his own ego above this country. his divisiveness is splitting this country you know it\xe2\x80\x99s true saveamerica voteblue2020,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n1960,10/20/2020,trump is an idiot.,United States of America,California,CA,Donald Trump,0,-0.9\r\n1961,10/20/2020,trump is constantly projecting himself onto others this time it\xe2\x80\x99s drfauci trumpiscompromised by putin and who knows who else. jaxdotcom orlandosentinel pnj tb_times miamiherald dallasnews texastribune mfoltx mfoluatx houstonchron startribune sunsentinel uf ucf,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n1962,10/20/2020,trump is launching an all-out assault on the next debate moderator  via vanityfair media politics newsmedia election2020 presidentialdebate2020 trump trumplies kwelkernbc,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1963,10/20/2020,trump is no friend to the lgbtqia community. tiffany trump tried to make some false pitch and it was a total backfire i hope  thereidout,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1964,10/20/2020,trump lies factcheck trump liar lies dishonest ethics morality trumpbullshit bs,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1965,10/20/2020,trump looks like terry bradshaw  trumpisbald,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1966,10/20/2020,trump needs to visit minnesota.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1967,10/20/2020,trump not debating that\xe2\x80\x99s a good thing . he\xe2\x80\x99s an embarrassment to america the beautiful it\xe2\x80\x99s a blessingindisguise goodby too the trumps votebidenharris2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1968,10/20/2020,trump offers well-wishes to limbaugh after cancer update 'an incredible man' who 'will continue to fight' politicalviews political trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1969,10/20/2020,trump or blubberfish...,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n1970,10/20/2020,trump realdonaldtrump trumpisanahole,United States of America,California,CA,Donald Trump,2,0\r\n1971,10/20/2020,trump reportedly ended his interview with 60 minutes early this afternoon and did not return for a planned joint interview with mikepence election2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1972,10/20/2020,trump said the opioidepidemic would go away. it didn\xe2\x80\x99t.  via voxdotcom news biden opioidepidemic drugoverdoses addiction election2020 2020election,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1973,10/20/2020,trump says he doesn't remember being tested for covid-19 before first debate and why it matters,United States of America,Louisiana,LA,Donald Trump,0,-0.5\r\n1974,10/20/2020,trump says his debt is just financial leverage on his valuable properties. but his tax returns reportedly showed he\xe2\x80\x99s losing money on them.  donaldtrump,United States of America,Arizona,AZ,Donald Trump,0,-0.2\r\n1975,10/20/2020,trump seeks campaignboost in battleground pennsylvania with two weeks to go,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1976,10/20/2020,trump should buy a golf simulator,United States of America,Virginia,VA,Donald Trump,2,0\r\n1977,10/20/2020,trump tatoo,United States of America,Illinois,IL,Donald Trump,2,0\r\n1978,10/20/2020,trump tilda a fauci de \xe2\x80\x9cdesastre\xe2\x80\x9d y dice que ser\xc3\xada \xe2\x80\x9cuna bomba\xe2\x80\x9d despedirlo desastre fauci trump,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1979,10/20/2020,trump trumpcrimefamily,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n1980,10/20/2020,trump trumpstaxes,United States of America,California,CA,Donald Trump,2,0\r\n1981,10/20/2020,trump voteouteveryrepublican votebluedownballot,United States of America,Hawaii,HI,Donald Trump,2,0\r\n1982,10/20/2020,trump \xe2\x80\x98abruptly\xe2\x80\x99 storms out of 60 minutes interview and refuses to return report \xe2\x80\x93 raw story,United States of America,California,CA,Donald Trump,0,-0.8\r\n1983,10/20/2020,trump \xf0\x9f\x92\xaa\xf0\x9f\x8f\xbd,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1984,10/20/2020,trump's internal record seems to be skipping he can't stop saying kamala harris's first name. somebody give him a kick.,United States of America,Oregon,OR,Donald Trump,0,-0.1\r\n1985,10/20/2020,trump...........omg lollllllllll,United States of America,New York,NY,Donald Trump,2,0\r\n1986,10/20/2020,trump.........can not wait lmaoooooooooo,United States of America,New York,NY,Donald Trump,1,0.1\r\n1987,10/20/2020,trump2020 trump2020landslide americafirst trump maga kag,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1988,10/20/2020,trump2020 trump2020landslide americafirst trump maga kag,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1989,10/20/2020,trumpbombed trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n1990,10/20/2020,trumpwarroom so you claim that most americans in the us actually make more than $400000 annually or you really mean that the most americans in realdonaldtrump\xe2\x80\x99s close circle make more than that amount so that\xe2\x80\x99s why trump is really worried about this don\xe2\x80\x99t lie to people and use them,United States of America,California,CA,Donald Trump,0,-0.8\r\n1991,10/20/2020,trump\xe2\x80\x99scompromised,United States of America,Arizona,AZ,Donald Trump,1,0.3\r\n1992,10/20/2020,tuesday outlook asian stocks dip as u.s. political concerns grow...  via zawya asian shares oil  trump biden uselections,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n1993,10/20/2020,tune in political science fellow markpjonestx joined texasstandard to discuss why some gop members \xe2\x80\x94 like texas sen. john cornyn \xe2\x80\x94 are distancing themselves from trump.,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1994,10/20/2020,turns out yougov/yahoo also have pretty good data on what my former advisor elizabeth noelle-neumann called people's quasi statistical sense.  elections2020 biden trump,United States of America,Wisconsin,WI,Donald Trump,1,0.4\r\n1995,10/20/2020,two weeks out.. be sure to vote... washington square park october 17 2020... don\xe2\x80\x99t think dance... reduxpictures trump america vote2020 covid_19 bleach,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1996,10/20/2020,u.s. postal service usps isn\xe2\x80\x99t processing election2020 mail on time even after being ordered by federal judges to halt disruptive changes like banning worker overtime and late delivery trips as trump seeks to disenfranchise voters.,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1997,10/20/2020,unfit the mental state of donaldtrump \xf0\x9f\x92\xaf,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1998,10/20/2020,up next election home-stretch visit with johncornyn following startelegram ed board comments defining space between his views and trump.  also acb confirmation election  mischief and more.  listen live,United States of America,Texas,TX,Donald Trump,2,0\r\n1999,10/20/2020,us cases surge to new peak as trump administration goes to war with science arstechnica  bethmariemole,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n0,10/20/2020,utterly cringe energy. i thought biden had it in the bag but now i think trump has a lock on the whole thing folks,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n1,10/20/2020,vermontgmg trump thinks that he has lined up all the pieces he needs to steal the election &amp; with barr ratcliffe acb &amp; all the federal judges he &amp; mcconnell have appointed to key benches he might be right. that's why we need overwhelming voter turnout to win &amp; repudiate trumpism.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n2,10/20/2020,via joshtpm the thing is upon us  | politics trump elections,United States of America,New York,NY,Donald Trump,0,-0.2\r\n3,10/20/2020,via joshtpm where things stand kicking up dust around the debate  | politics trump elections,United States of America,New York,NY,Donald Trump,0,-0.4\r\n4,10/20/2020,via newcivilrights trump publicly demands bill barr appoint special counsel to investigate joe biden in off-the-rails fox news interview  | civilrights lgbtq trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n5,10/20/2020,via rawstory biden lays low again ahead of trump debate  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.3\r\n6,10/20/2020,via rawstory danish sub killer arrested after failed prison escape  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.6\r\n7,10/20/2020,via rawstory government maps and reports reveal the truth about who really defeated the islamic state  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.1\r\n8,10/20/2020,via rawstory major quake off alaska triggers small tsunami waves  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.3\r\n9,10/20/2020,via rawstory this single sentence from a federal court\xe2\x80\x99s ruling exposes the dark right-wing view of voting  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.5\r\n10,10/20/2020,via rawstory trump advisors fear salacious giuliani attacks on \xe2\x80\x98crack and sex stuff\xe2\x80\x99 will backfire and help elect biden report  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.8\r\n11,10/20/2020,via rawstory will american elections ever again be legitimate  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n12,10/20/2020,vidvin85 tlsg99 joebiden realdonaldtrump no you\xe2\x80\x99re trying to recreate 2016 at that ominous moment when we taught that hillary would win &amp; russia worked with trump to break a story about bengazzi emails. now trump is about to loose &amp; they trying to get biden\xe2\x80\x99s son not biden cause they can\xe2\x80\x99t catch him like hilary,United States of America,New York,NY,Donald Trump,0,-0.6\r\n13,10/20/2020,vote for america not trump chaos if not for yourself for your parents and children.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n14,10/20/2020,votehimout realdonaldtrump  kick the damn shiksa out. trump and all his minions,United States of America,California,CA,Donald Trump,0,-0.5\r\n15,10/20/2020,votelikeyourlifedependsonit trump bidenharris2020landslide ichooseamerica,United States of America,Illinois,IL,Donald Trump,2,0\r\n16,10/20/2020,voters prefer biden over trump on almost all major issues poll shows,United States of America,Puerto Rico,PR,Donald Trump,0,-0.1\r\n17,10/20/2020,wait has twitter muted trump,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n18,10/20/2020,waiting for bill cosby's endorsement of trump. \xf0\x9f\x91\x80,United States of America,Washington,WA,Donald Trump,0,-0.1\r\n19,10/20/2020,walshfreedom all he wallows in is self pity.  donaldtrump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n20,10/20/2020,washingtonpost nytimes all gop in congress and in trumpadministration should be aware of the possibility they could be indicted along with trump for conspiracy to obstruct justice and abuse of power in blocking the truth about russian interference in our elections,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n21,10/20/2020,we all have the power to mute trump\xe2\x80\x99s microphone... vote,United States of America,California,CA,Donald Trump,2,0\r\n22,10/20/2020,we are doing a demographic check this week at nevadavote starting with white suburban moms in nevada with original art and reporting by alina_croft sophiadayunr and notiancook. please like me trump has pleaded. but will they go for biden instead,United States of America,Nevada,NV,Donald Trump,0,-0.1\r\n23,10/20/2020,we see senjoniernst went full trump as did the unelected sen. marthamcsally,United States of America,New York,NY,Donald Trump,1,0.2\r\n24,10/20/2020,we'll buy trump a one-way ticket to moscow. but make sure to take the trumpcrimefamily,United States of America,New York,NY,Donald Trump,2,0\r\n25,10/20/2020,well looks like you will have actually let people vote this time pagop supreme court denies gop request to stop extended deadline for mail-in ballots in pennsylvania a key state for trump  biden,United States of America,Puerto Rico,PR,Donald Trump,0,-0.7\r\n26,10/20/2020,were there photos of hunterbiden with under-age girls on his laptop is that why the fbi didn't tell trump about the emails while house democrats were impeaching him and accusing him of collaborating with russia and ukraine to cover-up a pedophile ring in d.c. ran by . . .,United States of America,Nevada,NV,Donald Trump,0,-0.4\r\n27,10/20/2020,whaddaya know another trump lieafterlie trump2020 educateyourself,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n28,10/20/2020,what happened in nigeria today is what trump wants our police to be able to do\xe2\x80\x94shoot and kill innocent people using their voices to end oppression. evil must not win\xe2\x80\x94not in nigeria not in america\xe2\x80\x94no where. endsars wokeaf,United States of America,New York,NY,Donald Trump,0,-0.4\r\n29,10/20/2020,what kind of lowlifes steal from charity  oh last name trump magaa,United States of America,New York,NY,Donald Trump,0,-0.5\r\n30,10/20/2020,wheeler portland must prepare for possible post-election unrest   \xe2\x80\xa6 portland orpol portlandpolice portlandprotests portlandriots tedwheeler sarahiannarone trump biden election2020 oregon protests blm,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n31,10/20/2020,when is the final trump - biden presidential debate time &amp; how to watch | \xe2\x81\xa6nymag\xe2\x81\xa9,United States of America,California,CA,Donald Trump,0,-0.1\r\n32,10/20/2020,which member of the trumpcrimefamily deserves the longest jail sentence after mango mussolini trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n33,10/20/2020,why are we even paying attention to what this man says he\xe2\x80\x99s obviously not mentally stable. donaldtrump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n34,10/20/2020,why did donaldtrump purposely misled the american people about the covid19 virus,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n35,10/20/2020,why is it that reporters can\xe2\x80\x99t ask biden about hunter and supreme court packing while the same reporters ask trump some of the most repetitiously moronic questions imaginable,United States of America,Oregon,OR,Donald Trump,0,-0.8\r\n36,10/20/2020,why would anyone vote republican knowing that they are voting away their healthcare  trump is nuts.,United States of America,California,CA,Donald Trump,0,-0.9\r\n37,10/20/2020,william mcraven retired four-star admiral and former head of u.s. special operations command rips trump's lack of leadership in biden endorsement. mcraven a conservative is voting for democrat joe biden. republicansforbiden  via huffpostpol,United States of America,California,CA,Donald Trump,0,-0.1\r\n38,10/20/2020,with first billcosby then rushlimbaugh hopefully next to trend will be donaldtrump to conclude the perfect trifecta trend of the day.,United States of America,Oregon,OR,Donald Trump,1,0.4\r\n39,10/20/2020,wizard_predicts what happened wizard did you run out of blue paint california red lol your a dreamer like trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n40,10/20/2020,wonder if trump knew about these... oh wait of course he did. evicttrump bidenharris2020,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n41,10/20/2020,wondering if tiffany trump passed bar exam,United States of America,Illinois,IL,Donald Trump,2,0\r\n42,10/20/2020,worth a read.putin russia biden trump election2020,United States of America,New York,NY,Donald Trump,1,0.5\r\n43,10/20/2020,would this appeal to our democratic leaning friends trumpisaracist trumpcrimefamily trump,United States of America,Tennessee,TN,Donald Trump,1,0.1\r\n44,10/20/2020,yes donlemon...we can believe trump called cnn bastards because he is a classless lowlife with zero respect for anyone no less journalists. his rallies with zero masks and zero socialdistancing shows just who he is. the worst of this country. 15days bidenharris2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n45,10/20/2020,yes she loves \xe2\x80\x9cher gays\xe2\x80\x9d so much she can\xe2\x80\x99t even get the a acronym lgbtq right tiffanytrump is a joke resist trump notmypresident lgbt bidenharrislandslide2020,United States of America,New York,NY,Donald Trump,0,-0.3\r\n46,10/20/2020,yes trump people are tired of covid19 but we're more tired of you we can't wait for you to lose and see you removed from our whitehouse,United States of America,California,CA,Donald Trump,2,0\r\n47,10/20/2020,you mean besides lying to the american public in defense of trump's lies,United States of America,New York,NY,Donald Trump,0,-0.9\r\n48,10/20/2020,y\xe2\x80\x99all was really gassed to see icecube and 50cent wearing trump hats. don\xe2\x80\x99t folks know it ain\xe2\x80\x99t bout politics all the time,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n49,10/20/2020,\xe2\x80\x9ca radical proposal for dealing with trump supporters after biden wins\xe2\x80\x9d by russjosephs  vote2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n50,10/20/2020,\xe2\x80\x9ci don\xe2\x80\x99t want to vote for trump but i don\xe2\x80\x99t want to compromise my christian beliefs. afterward she said she voted for biden. \xe2\x80\x9ci prayed and prayed on it. biden has more compassion than trump \xe2\x80\x94 he has no compassion or empathy for anybody\xe2\x80\x9d wisconsin,United States of America,California,CA,Donald Trump,0,-0.3\r\n51,10/20/2020,\xe2\x80\x9cthe real clear politics national polling average shows biden with an 8.9 point lead over trump down from 10.2 a week ago while its betting-market odds now show biden with a 60.4% chance of winning down from a peak of 67.5% on oct. 11.\xe2\x80\x9d - marketwatch,United States of America,Illinois,IL,Donald Trump,2,0\r\n52,10/20/2020,\xf0\x9f\x94\xb4 live podcast 20 october 2020 on spreaker 2020election biden blacklivesmatters trump,United States of America,New York,NY,Donald Trump,2,0\r\n53,10/20/2020,\xf0\x9f\xa4\xac\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f\xf0\x9f\xa4\xac as disturbing as this photo looks i don\xe2\x80\x99t think any of us are shocked that trump took his young daughter - ivankatrump - to hang out with jeffreyepstein...,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n54,10/21/2020,bidenharrislandslide2020 biden trump trumpnotfitforoffice resist trumphasnoplan,United States of America,Pennsylvania,PA,Donald Trump,1,0.2\r\n55,10/21/2020,'hidden trump voters' may hold key to election pollster says,United States of America,California,CA,Donald Trump,0,-0.1\r\n56,10/21/2020,- portland commissioner eudaly and hardesty want to cut portlandpolice by $18 million   \xe2\x80\xa6 theportlandtrib oregon portlandprotests portlandriots portland pdx tedwheeler sarahiannarone blm orpol protests trump biden,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n57,10/21/2020,- two proud boys remain jailed on protest-related charges  \xe2\x80\xa6 portland pdx orpol portlandprotests portlandriots oregon portlandpolice damikeschmidt proudboys trump biden,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n58,10/21/2020,1 joe biden\xe2\x80\x99s campaign outraised trump\xe2\x80\x99s by an eye-catching $200 million in september and started october with $177 million in the bank ...,United States of America,Tennessee,TN,Donald Trump,0,-0.3\r\n59,10/21/2020,19 women have accused trump of sexual misconduct. here's what their stories have in common. - usa today trump2020 trump trumpisnotwell trumpisacoward,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n60,10/21/2020,2/ trump likes to blame china &amp; call covid19 the chinavirus. here's a bit of news--we know novel infections come from china &amp; we know china likes to get bad news as much as trump. that's why we have a cdcgov office in beijing to surveil china ourselves. but guess what.,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n61,10/21/2020,45th will win then an asteroid will hit earth  via youtube asteroid patrobertson endtimes trump november3rd election,United States of America,Florida,FL,Donald Trump,1,0.2\r\n62,10/21/2020,4evernevertrump did he invest in trump steaks &amp; trump wodka,United States of America,Texas,TX,Donald Trump,2,0\r\n63,10/21/2020,50cent is black &amp; he is voting for donaldtrump so all black people should vote for donaldtrump. but wait 50cent is also part of the 1% &amp; a member of the globalelites; so am i to identify with him based on my blackness when he identifies more with the 1% neoliberalism,United States of America,New York,NY,Donald Trump,2,0\r\n64,10/21/2020,50cent sell his soul for some trump money cancelpower,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n65,10/21/2020,545 migrant children are now possibly separated from their parents by the trump regime btwn 2017-18 lockhimup,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n66,10/21/2020,545. children. this is unconscionable. familyseparation is nothing new under the trump admin  but i continue to be surprised at the lack of humanity &amp; fast track deportation policies to make america white again.,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n67,10/21/2020,a biden voter calling this trump voter a racist fucking chink yeah dont think about it too long or you'll get a nosebleed,United States of America,Georgia,GA,Donald Trump,0,-0.9\r\n68,10/21/2020,a champion for democracy as lebronjames continues to act for blackvoter participation misinformation and trump  ucfdevossbm institutessj,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n69,10/21/2020,a second term trump administration could suddenly withdraw all remaining forces from iraq and syria and,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n70,10/21/2020,acb  donaldtrump donaldtrump2020 amyconeybarrett amyconeybarrettscotus  funny amycomeybarrett will be confirmed next week  on hillaryclinton's bday  \xf0\x9f\x96\x95\xf0\x9f\x98\x82\xf0\x9f\x96\x95 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x99\x8c\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Donald Trump,1,0.5\r\n71,10/21/2020,actually this makes sense for evangelicals who believe that jesus will come with a spaceship to save true believers and a handful of converted jews when the world is destroyed. trump is the surest and quickest path to that destruction.,United States of America,California,CA,Donald Trump,2,0\r\n72,10/21/2020,adaminchicago djdev23 redacted1776 joebiden i didn't vote for trump in 2016. i am voting for him now because of his strong foreign policy his elimination of isis his taxcuts pro-law enforcement anti-lockdown stances and i feel like the old democrat party is gone and is now being overtaken by the radical woke left.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n73,10/21/2020,after mike professes his undying love for trump donnie says well *that* wasn't a bad job then goes on to complain that mike made him look bad because he wasn't wearing a coat.,United States of America,Oregon,OR,Donald Trump,0,-0.7\r\n74,10/21/2020,agreed only issue is deporting  trump supporters \xf0\x9f\x98\x82 i\xe2\x80\x99m sure kim and putin can use them for something.,United States of America,New York,NY,Donald Trump,2,0\r\n75,10/21/2020,ahhh the ghost of trump haunts me...,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n76,10/21/2020,all thanks to president trump.  time to vote for biden.,United States of America,New York,NY,Donald Trump,2,0\r\n77,10/21/2020,alllivesmatter but not really .. bidenharris2020 trumpisaracist trump americaortrump dumptrump2020 elecciones2020 blacktwitter blacksfortrump whiteprivilege trumpliedpeopledied immigration immigrationmatters immigrants donaldtrump trumppence2020 ivankatrump,United States of America,Tennessee,TN,Donald Trump,0,-0.2\r\n78,10/21/2020,amerindependent marcorubio we don't blame trump for the virus we blame him for hundreds of thousands of deaths the virus caused because of blatant government failure,United States of America,New York,NY,Donald Trump,0,-0.9\r\n79,10/21/2020,amyathatcher .amyathatcher nor do they seem remotely interested in donaldtrump's secret chinabankaccount wtf their investigation isn't worth a damn. it's partisan and harassment. gop needs to stop wasting taxpayer money on useless scandals -- start looking at the trumpcrimefamily.,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n80,10/21/2020,and at least 10 women .. calling them \xe2\x80\x9cnasty\xe2\x80\x9d trumpisnotwell trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n81,10/21/2020,anderology joebiden barackobama donaldtrump's strategy is to literally build a bubble around him of misinformation. from covid19 the economy to his corruption etc.  the latest is hunterbiden and emails. who cares  hunter isn't running for office.  its desperate. and.. has trump met ivankatrump,United States of America,New York,NY,Donald Trump,0,-0.5\r\n82,10/21/2020,angrierwhstaff trump has so much sh*t but nothing sticks to him and nor does he seem to have any consequences. it would be nice if karma knew his gps.,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n83,10/21/2020,anonamericanpat bentnews wcnc have you heard that trump has a bank account in china,United States of America,North Carolina,NC,Donald Trump,0,-0.4\r\n84,10/21/2020,another good topic for the trump biden presidentialdebate. will it be on the agenda no,United States of America,California,CA,Donald Trump,1,0.1\r\n85,10/21/2020,another trump disgrace.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n86,10/21/2020,armeniastrong artsakhstrong donaldtrump donate stopazzeriaggression sanctionturkey sanctionerdogan peaceforarmenians stoperdogan lockdown openyoureyes poto sosarmenia covid__19 recognizeartsakh voteready endsars,United States of America,California,CA,Donald Trump,1,0.1\r\n87,10/21/2020,armeniastrong artsakhstrong donaldtrump donate stopazzeriaggression sanctionturkey sanctionerdogan peaceforarmenians stoperdogan lockdown openyoureyes poto sosarmenia covid__19 recognizeartsakh voteready endsars,United States of America,California,CA,Donald Trump,1,0.1\r\n88,10/21/2020,aw crap. they fixed trump's mic.,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n89,10/21/2020,barackobama is in philadelphia looking like an entire yummy snack campaigning for joebiden. \xf0\x9f\xa5\xb0 it is rather refreshing to see when we have been bogged down with an overweight all-you-can-eat buffet . . . donaldtrump.  vote,United States of America,New York,NY,Donald Trump,1,0.6\r\n90,10/21/2020,because realdonaldtrump has empowered and radicalized whitesupremacists and so many other dangerous factions of our otherwise civilized society. regardless of political party you must defend our democracy and votehimout. proudboys trump,United States of America,California,CA,Donald Trump,0,-0.1\r\n91,10/21/2020,benshapiro is my conscience on trump.  this dude says thoughts of mine i haven't fully formed yet.,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n92,10/21/2020,berniesanders trump complete fraudster,United States of America,California,CA,Donald Trump,2,0\r\n93,10/21/2020,beware of heavy traffic around robinwood &amp; union roads in gastonia. large crowds of moron idiots are making their way to see trump at the racetrack...wearamask socialdistance fucktrump,United States of America,North Carolina,NC,Donald Trump,0,-0.8\r\n94,10/21/2020,beyond bizarre that one of trump's most generous supporters is a 20-something named luckey who made a fortune in vr after a few years in business.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n95,10/21/2020,biden holds massive cash advantage over trump ahead of electionday thehill,United States of America,Texas,TX,Donald Trump,1,0.3\r\n96,10/21/2020,bidenharris2020 bluewave2020 trump2020 trumptrain biden2020\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 donaldtrump,United States of America,California,CA,Donald Trump,1,0.4\r\n97,10/21/2020,big baby is a quitter and can't handle tough questions from a woman  donaldtrump lesliestahl,United States of America,California,CA,Donald Trump,0,-0.7\r\n98,10/21/2020,billkristol sykescharlie i believe it\xe2\x80\x99s because trump will stoop to criminal tactics to stay in office. bring the russians in. use a rigged scotus to support him. reasonable assumptions get thrown out the window.,United States of America,California,CA,Donald Trump,0,-0.5\r\n99,10/21/2020,black people our biggest threat is coming on november 4th be prepared white folk are stocking up on gun &amp; ammunition &amp; threatening our lives if trump looses be prepared it could be another tulsaoklahomamassacre blacklivesmatter election2020 vote votelikeyourlifedependsonit,United States of America,California,CA,Donald Trump,0,-0.7\r\n100,10/21/2020,blacksfortrump trump trump2020,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n101,10/21/2020,bobcesca_go until trump explains his health care plan in detail the logical only assumption is his binders full of healthcare is empty.,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n102,10/21/2020,boeing vc-25a \xe2\x80\x9cair force one\xe2\x80\x9d departed washington d.c. and is en route to north carolina for a president trump event \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n103,10/21/2020,borat. rudy is a perv like epstein trump and dershowitz. lockhimup,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n104,10/21/2020,bradleywhitford tweetmalena trump\xe2\x80\x99s goin down with the big time murderers and genociders. \xf0\x9f\x98\xa1\xf0\x9f\x98\xa1\xf0\x9f\x98\xa1\xf0\x9f\x98\xad\xf0\x9f\x98\xad\xf0\x9f\x98\xad\xf0\x9f\x98\xad,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n105,10/21/2020,breakingnews trump has a chinese bank account...,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n106,10/21/2020,breitbartnews right after trump releases his taxes,United States of America,Texas,TX,Donald Trump,2,0\r\n107,10/21/2020,c'mon wtfudge we know joebiden lead in most polls nationally and marginally in swing states but trump still has the edge with voters on enthusiasm. it doesn't get the blueblood pumping to hear biden is vetting every republican with a pulse for his cabinet. bospoli mapoli,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n108,10/21/2020,california residents are urged to vote no on prop15 nonewtaxes voteearly for trump election2020 vote trump2020,United States of America,California,CA,Donald Trump,0,-0.6\r\n109,10/21/2020,caslernoel mogrendixon rudygiuliani realdonaldtrump question would you put it past trump to set up a politician or high profile celebrity who stayed at one of his hotels with drugs or prostitute and record it with hidden cameras i think he is that low and would run an extortion racket.,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n110,10/21/2020,cat cooling mat bogo sale - arizona arizonacircle  bb22  covid19  gh israel kanganaranaut catsoftwitter  kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter cat catsofinstagram  kittens trump,United States of America,Texas,TX,Donald Trump,2,0\r\n111,10/21/2020,cbsnews cbs should also broadcast &amp; stream all material from the 60minutes trump interview beginning with the moment the cameras were setup during all the informal conversation before the formal interview then all material taken during the interview including b roll &amp; trump\xe2\x80\x99s exit,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n112,10/21/2020,cbsnews i\xe2\x80\x99m curious to know what a \xe2\x80\x9cterrible electoral intrusion\xe2\x80\x9d is. didn\xe2\x80\x99t trump invite *them* to the white house,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n113,10/21/2020,cesarantirojo kleavitt45 teamtrump you do understand trump is a socialist with all his farmer and corporate bailouts don't you,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n114,10/21/2020,chance_paladin mmpadellan realdonaldtrump omg people can be so stupid... that's not how you build an economy and everyone smarter than trump knows that...,United States of America,California,CA,Donald Trump,0,-0.8\r\n115,10/21/2020,check out m-rare's video trump votelikeyourlifedependsonit votehimout2020,United States of America,Illinois,IL,Donald Trump,1,0.2\r\n116,10/21/2020,check out sunny laluz's video tiktok erictrump trump how could you allow this erictrump,United States of America,New Jersey,NJ,Donald Trump,0,-0.3\r\n117,10/21/2020,check your bumpers trumpsupporters are out here putting trump stickers on the back of peoples cars for free advertisement. it happened to me.,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n118,10/21/2020,chelseahandler trolls 50cent over his support for donaldtrump \xe2\x80\x98you used to be my favorite\xc2\xa0ex\xe2\x80\x99 o  via hollywoodlife icantfeelmyface fashion country oaklawn dallas texas usa uk tv radio newmusic bet hiphop rap rapper wh yourfired,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n119,10/21/2020,china russia etc etc etc - trump records shed new light on chinese business pursuits - the new york times,United States of America,Florida,FL,Donald Trump,2,0\r\n120,10/21/2020,china russia north korea owns trump  the conman is selling america a fakepipedream,United States of America,New York,NY,Donald Trump,0,-0.1\r\n121,10/21/2020,chinesemoneylaundermat trump records shed new light on chinese business pursuits  china trump conlict conflictofinterest xi ivankatrump trumporg trumpcrimefamily moneylaundering debt realestate,United States of America,New York,NY,Donald Trump,2,0\r\n122,10/21/2020,chinesetaxreturns donaldtrump,United States of America,Texas,TX,Donald Trump,1,0.3\r\n123,10/21/2020,chrismegerian trump is such a baby,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n124,10/21/2020,chrizap ungubunugu1274 alleged china-fighter donaldtrump has secret chinese bank account trumpchinabankaccount,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n125,10/21/2020,cnnpolitics good to hear.  a grownup in the trump administration,United States of America,Illinois,IL,Donald Trump,1,0.3\r\n126,10/21/2020,cnnpolitics thanks trump,United States of America,Texas,TX,Donald Trump,1,0.4\r\n127,10/21/2020,con man stole reagan\xe2\x80\x99s campaign slogan.  \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f y\xe2\x80\x99all ain\xe2\x80\x99t \xf0\x9f\x92\xa9\xf0\x9f\xa4\xa1\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xe2\x80\xbc\xef\xb8\x8f gop trump  san diego california,United States of America,California,CA,Donald Trump,0,-0.6\r\n128,10/21/2020,congratulations realdonaldtrump for pattern of running away like a coward when hard questions need a real president to answer them.\xf0\x9f\x98\xb1 it's your life pattern like you baldness. imagectto trump gophypocrisy brunoswahine trumpchinabankaccount \xf0\x9f\xa4\xa1\xf0\x9f\x92\xb0\xf0\x9f\x92\xb0\xf0\x9f\x92\xb0\xf0\x9f\x87\xa8\xf0\x9f\x87\xb3,United States of America,California,CA,Donald Trump,0,-0.3\r\n129,10/21/2020,cornellbelcher young blacks &amp; latinos are being persuaded by russianbots that biden is the same as trump ~ just like they did to hrc in 2016 ~ i've had young ppl repeat this lie 2 me ~ how can dems run ads on fb &amp; instagram to counter those digital ads that rick gates mentioned..,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n130,10/21/2020,counties won by clinton received an average of $5.7 million. counties that voted republican in 2012 and 2016 received an average of $8.4 million. counties that flipped got an average of $11.1 million. ag trump paytoplay,United States of America,Illinois,IL,Donald Trump,2,0\r\n131,10/21/2020,cutmeupjennay leahmesser the nation was out of toilet paper ppl panicked imagine if he would have told us everything str8 up it would have been chaos.this proves 2 me hes qualified 2 b president by making the correct choices in what he needs 2 tell us.either way we need 2 come 2gether and unite trump,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n132,10/21/2020,davidcgrabowski i would tell you to pass this on to trump but he doesn't give a crap wearamask,United States of America,Utah,UT,Donald Trump,0,-0.8\r\n133,10/21/2020,davidcrosss donwinslow shameful human rights violations.  trump has ruined the lives of these families. can you imagine someone taking your baby and sending you out of the country. these children won\xe2\x80\x99t even know their parents when or if they are found. criminalinchief,United States of America,California,CA,Donald Trump,0,-0.5\r\n134,10/21/2020,day 1442 fuck trump,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n135,10/21/2020,dear cbs cbsnews how about you air the interview first we don't want donaldtrump realdonaldtrump and his people butchering it and cherry-picking what they liked before you air it. the american public has a right to see it - in full - asap,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n136,10/21/2020,dear cenkuygur  please for the love of god stop posting about this. let\xe2\x80\x99s focus next 13-days all posts on exposing trump crimes tax-evasion and flipping the senate and winning house seats stopping scotus appointment.  flipthesenateblue,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n137,10/21/2020,dear donaldtrump supporters care to comment no i didn't think so.,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n138,10/21/2020,dear melania letter to melania  via youtube \xe2\x99\xa5\xef\xb8\x8f\xf0\x9f\xa4\x8d\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb82020trumplandslide 4moreyears america bekind donaldtrump draintheswamp firstlady flotus,United States of America,Tennessee,TN,Donald Trump,2,0\r\n139,10/21/2020,demwrite meidastouch never was. never will be. trump was and is vile. media is as responsible for hyping his personality as  \xe2\x80\x9centertainer\xe2\x80\x9d as trumpcult. but look where we are trumplied200kamericansdied 545children are orphans and gop talks about being prolife gopbetrayedamerica votegopout,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n140,10/21/2020,donaldtrump  instagrams 50cent\xe2\x80\x99s \xe2\x80\x99i don't want to be 20 cent\xe2\x80\x99 endorsement,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n141,10/21/2020,donaldtrump has taped an interview with jasonwhitlock about race in sports and america,United States of America,Florida,FL,Donald Trump,2,0\r\n142,10/21/2020,donaldtrump is a lazy deluded dirty man. vote,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n143,10/21/2020,donaldtrump is a pathological liar just like joebiden &amp; has broken almost all of his 2016 campaign promises like most politicians whether democrats or republicans; trump's idiot 'base' will got for him but he's losing independents &amp; undecided voters... neverbidennevertrump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n144,10/21/2020,donaldtrump is definitely outsider his chinese banking account proves thatthe man has actually paid more income tax in china than he ever paid in america&amp; not for nothing can you imagine doing business with a communist countryyou swear poisoned america with coronavirus.,United States of America,Indiana,IN,Donald Trump,0,-0.9\r\n145,10/21/2020,donaldtrump is trying to tell us underbiden we\xe2\x80\x99d lose our healthcare and 401 k. trumpliesamericansdie,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n146,10/21/2020,don\xe2\x80\x99t regret it at all trump,United States of America,Pennsylvania,PA,Donald Trump,1,0.7\r\n147,10/21/2020,dow jones rises as trump seeks stimulus deal; tesla stock revs up for earnings government trump whitehouse,United States of America,District of Columbia,DC,Donald Trump,1,0.2\r\n148,10/21/2020,dr_ulrichsen bakerinstitute thanks to trump\xe2\x80\x99s misguided policies toward iran and the gulf region.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n149,10/21/2020,dump trump. biden2020,United States of America,California,CA,Donald Trump,2,0\r\n150,10/21/2020,eat a can of yellowbelly chicken shit everyday and you too can become a lying psychotic mass murdering piece of primordial whale shit...just like trump,United States of America,Colorado,CO,Donald Trump,0,-0.9\r\n151,10/21/2020,elbasaavedra3 because pedophiletrump is accused of financial crimes he\xe2\x80\x99s the nincompoop who didn\xe2\x80\x99t pay his taxes and i\xe2\x80\x99ve already explained to purpledragula an hour ago that trump should be prosecuted and trump is preying on needy families of financial assistance.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n152,10/21/2020,election2020 trump biden pennsylvania,United States of America,Virginia,VA,Donald Trump,1,0.1\r\n153,10/21/2020,elections biden trump walkaway,United States of America,New York,NY,Donald Trump,2,0\r\n154,10/21/2020,elections2020. another perv on trump's team. rudygiuliani,United States of America,Florida,FL,Donald Trump,1,0.1\r\n155,10/21/2020,elminaswrld trump trump2020 trump2020landslide trump2020tosaveamerica trump2020landslidevictory kag maga maga2020 republicanparty bidencrimefamiily bidengate bidenscandal get her \xf0\x9f\x98\xa1\xf0\x9f\x98\xa1,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n156,10/21/2020,european lng importers do not have serious concerns about a biden presidency especially with biden saying he does not plan to ban hydraulicfracturing said anna_b_mikulska a nonresident fellow at the ces_baker_inst.  trump naturalgas gas fracking,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n157,10/21/2020,even his lawyers don\xe2\x80\x99t like him. that is sad  trump    lawyers spurn trump campaign in individual donations including from jones day | article  | reuters,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n158,10/21/2020,everyone who wasn't able to have a college or highschool graduation can thank trump.  \xf0\x9f\x98\xa0  but he can impose himself into peoples' lives whenever &amp; wherever he chooses at the taxpayers' expense. payback is coming though.,United States of America,Illinois,IL,Donald Trump,2,0\r\n159,10/21/2020,expect delays once trump lands in cltairport around 620.,United States of America,North Carolina,NC,Donald Trump,0,-0.3\r\n160,10/21/2020,exxon mobil said a 'hypothetical call' where trump got its ceo to donate $25 million to his campaign never happened..trump..gop..elections..,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n161,10/21/2020,fabgirl11 according to who  and you don't think trump is doing that  did you notice he is paying taxes in china,United States of America,New York,NY,Donald Trump,0,-0.7\r\n162,10/21/2020,fabgirl11 there is no info sent.  and how do you feel about millionaires and billionaires paying the trump family $$$ to rub shoulders with and mingle with the potus at maralago. how is that different or pardoning his friends  seems its you who doesn't care fab girl. maga2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n163,10/21/2020,fact everything that realdonaldtrump says about joebiden &amp; democrats is all projection trump is saying what is true about him trumpchinabankaccount is encouraging &amp; implementing votersuppression on mass scale. fearmongering\xe2\x80\x94feartrump dangerous liarinchief vote \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Donald Trump,2,0\r\n164,10/21/2020,facts\xe2\x80\xbc\xef\xb8\x8f\xf0\x9f\x91\x8c\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 getridoftrump votehimout nomoretrump donaldtrump bidenharris2020 electionday,United States of America,New York,NY,Donald Trump,0,-0.1\r\n165,10/21/2020,former pres. barackobama is speaking now in philadelphia hammering trump covid19 response.  airing live now on c-span msnbc &amp; cnn,United States of America,New York,NY,Donald Trump,0,-0.1\r\n166,10/21/2020,frank luntz calls trump campaign 'worst ever'; said the same in 2016 trump politics political,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n167,10/21/2020,fromthebunkerjr i am not trump-ed out yet. i will follow his trials closer than i followed oj's and look forward to a slow speed chase with trump in a golf cart.,United States of America,Illinois,IL,Donald Trump,2,0\r\n168,10/21/2020,funder borat. rudy is a perv like epstein trump and dershowitz. lockhimup,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n169,10/21/2020,game is on trump vs biden it;s a contested elections,United States of America,California,CA,Donald Trump,0,-0.1\r\n170,10/21/2020,get $750 to spend on venmo  venmomethod amazonprimeday pence vpdebate election2020 kamalaharris harris donaldtrump \xf0\x9f\x91\x8e,United States of America,New York,NY,Donald Trump,0,-0.3\r\n171,10/21/2020,get ready for a rage tweet storm from trump after watching obama take him down like the half wit he is trump trumpmeltdown obama election2020,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n172,10/21/2020,get\xe2\x80\x99em lucy get donaldtrump,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n173,10/21/2020,good for trump,United States of America,District of Columbia,DC,Donald Trump,1,0.6\r\n174,10/21/2020,gop make america great again trump donaldtrump trump2020 trumprallynorthcarolina,United States of America,New York,NY,Donald Trump,1,0.4\r\n175,10/21/2020,gop realdonaldtrump yeah trump look what you did in a few months.,United States of America,California,CA,Donald Trump,1,0.1\r\n176,10/21/2020,gop the book is blank just like the other blank documents that trump signs.,United States of America,California,CA,Donald Trump,0,-0.5\r\n177,10/21/2020,gop to trump focus on policy thehill,United States of America,Texas,TX,Donald Trump,2,0\r\n178,10/21/2020,governor of puerto rico endorses trump | cafecito break latinovote election2020 trump cafecitobreak podcast  via youtube,United States of America,New York,NY,Donald Trump,2,0\r\n179,10/21/2020,growthcapitali1 anderology joebiden barackobama i disagree.  it aint over till its over. donaldtrump has created a bubble of misinformation which i think he himself believes from corona to hunterbidenemails to economy to environment - and his job is to sell that bubble to americans.  people believe him vote joebiden,United States of America,New York,NY,Donald Trump,0,-0.4\r\n180,10/21/2020,h_mitchellphoto realdonaldtrump how long did it take for stormydaniels to get trump on his knees \xe2\x98\xba\xef\xb8\x8f,United States of America,California,CA,Donald Trump,2,0\r\n181,10/21/2020,hananyanaftali american jews have to be insane to even consider voting biden. trump has been great for israel &amp; jewish people,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n182,10/21/2020,has trump helped or hurt the u.s. ethanol industry |   oilprice   trump biofuels ethanol  what is president trump really claiming here i have no idea. he definitely didn\xe2\x80\x99t \xe2\x80\x9cmake ethanol happen\xe2\x80\x9d for the u.s. or for iowa,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n183,10/21/2020,he and his entire family. the name trump will enter the annals of history with the name hitler. good people of all nations will shun them. forevermore.,United States of America,Texas,TX,Donald Trump,1,0.3\r\n184,10/21/2020,here you go \xe2\x80\x9cliberty\xe2\x80\x9d in full flares if somebody disagree with some joebiden can you please \xe2\x80\x9cmask\xe2\x80\x9d this too \xe2\x80\x9cscience\xe2\x80\x9d and \xe2\x80\x9cscientists\xe2\x80\x9d must have advised you on this too trump trump2020 elections2020 realdonaldtrump,United States of America,California,CA,Donald Trump,0,-0.8\r\n185,10/21/2020,hey trump your boy dni_ratcliffe didn't mention china as a foreign actor in possible election fraud,United States of America,California,CA,Donald Trump,0,-0.8\r\n186,10/21/2020,hey trump'sters he lies to you. he makes you sit there for an hour while he vomits about himself non-stop. and then he insults you by saying he wouldn't even be there if he wasn't losing. and you cheer. you cheer it all. like mindless sheep...,United States of America,New York,NY,Donald Trump,2,0\r\n187,10/21/2020,hi benny did you see the report of donaldtrump\xe2\x80\x99s undisclosed business bank account in china that paid $188561 in taxes to chins while trump paid no taxes in the usa or trump\xe2\x80\x99s 5 other chinese accounts now tell me again how joebiden \xe2\x80\x98sold\xe2\x80\x99 america to china,United States of America,California,CA,Donald Trump,0,-0.6\r\n188,10/21/2020,hispanicla apoya a joe biden para presidente. h\xc3\xa9 aqu\xc3\xad el porqu\xc3\xa9. faltando dos semanas para las elecciones presidenciales parecer\xc3\xada que nunca hubo una alternativa m\xc3\xa1s clara que la de este ciclo.  donaldtrump elecciones2020 hispanicla joebiden latinos,United States of America,California,CA,Donald Trump,1,0.1\r\n189,10/21/2020,hkrassenstein realdonaldtrump breitbartnews i hope joebiden calls trump out on this as well at the debates2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n190,10/21/2020,hmmm; it seems so unlike trump to hide financial dealings... sarcasm,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n191,10/21/2020,honestly the whole moment of giuliani with his hands down his pants while a woman looks on in horror followed by terrified shouting and a call to the police is pretty much how i imagine all seduction attempts by trump supporting magats plays out.,United States of America,California,CA,Donald Trump,0,-0.9\r\n192,10/21/2020,how donaldtrump &amp; his administration failed smallbusiness,United States of America,California,CA,Donald Trump,0,-0.8\r\n193,10/21/2020,how likely is it that a large number of republican voters will not vote at all knowing trump isn't their guy anymore but neither is biden failure to vote is just failure. vote republicansforbiden votebidenharris2020 saveourdemocracy,United States of America,Arizona,AZ,Donald Trump,0,-0.2\r\n194,10/21/2020,how many resisters think that trump will mention barackobama at the debate tomorrow night\xf0\x9f\x96\x90\xef\xb8\x8f,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n195,10/21/2020,how to wear a mask at a trump rally,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n196,10/21/2020,howtobank  trump,United States of America,Florida,FL,Donald Trump,2,0\r\n197,10/21/2020,i agree trump  killing his own trumpsters just to winandcrueltheworld\xe2\x80\xbc\xef\xb8\x8f,United States of America,New York,NY,Donald Trump,0,-0.7\r\n198,10/21/2020,i am confused... when trump and his surrogates would talk about corruption and china i *assumed* they were talking about hunter biden.,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n199,10/21/2020,i cannot wait until trump is out of office because i will finally be able to talk to my therapist about something other than my trump is insane induced anxiety.,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n200,10/21/2020,i can\xe2\x80\x99t go vote with my maga hat but someone can go with a blm shirt and that\xe2\x80\x99s ok trump2020 votered donaldtrump trump2020tosaveamerica govote miami floridafortrump latinosfortrump cubangirl cubansfortrump womenfortrump patriots,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n201,10/21/2020,i think trump is correct. most of his supporters are intellectually challenged to the point of needing help drawing a circle.,United States of America,Illinois,IL,Donald Trump,2,0\r\n202,10/21/2020,i truly believe that trump is trying to take this country down with him,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n203,10/21/2020,ibishblog delavegalaw that\xe2\x80\x99s a tough call. i know trump is the worst person in america but there is damn long line for second worst. giuliani mcconnell mccarthy gaetz cruz paul etc. etc.,United States of America,Wisconsin,WI,Donald Trump,0,-0.3\r\n204,10/21/2020,icecube 2nite on cnn barbarares the former longtime vp of the trumporganization states trump ordered black construction workers off the job as he didn't want people 2 c blackpeople building trumptowers also refused to hire a blackcandidate for a high position becuz he was black,United States of America,New York,NY,Donald Trump,0,-0.7\r\n205,10/21/2020,icecube 50cent and fck trump,United States of America,Nevada,NV,Donald Trump,2,0\r\n206,10/21/2020,if i could have $500k or you could guarantee me trump loses the 2020election i swear to god i\xe2\x80\x99d still vote for biden even though i\xe2\x80\x99d be in a much higher tax bracket.,United States of America,Michigan,MI,Donald Trump,0,-0.4\r\n207,10/21/2020,if joebiden gets elected on november 3rd he could be impeached on his first day in office or indicted before then. but if it were trump because he is not above the law the democrats would want to hang him if they thought he littered.,United States of America,Nevada,NV,Donald Trump,0,-0.4\r\n208,10/21/2020,if political debate religious stuff 80srock &amp; a potential bsg project l8r is something you\xe2\x80\x99d be interested in check out alfonzorachel\xe2\x80\x99s page  trump pence biden kamalaharris catholicsfortrump catholicsforbiden popefrancis battlestargalactica,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n209,10/21/2020,if trump wins legitimately by cheating with the help of scotus \xe2\x80\x94 wherever many people will be devastated. but if that happens we will have to remember that the long term changes \xe2\x80\x94 through activism and simply being aware \xe2\x80\x94 will be that much more profound.,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n210,10/21/2020,if you divide 2020 / 666 you now know joe biden's campaign phone number. try it. crookedjoebiden donaldtrump,United States of America,New York,NY,Donald Trump,1,0.1\r\n211,10/21/2020,if you support trump you have fallen in love with a sleazy con man but i am sure this is not first con man you fall in with in your life. but you can stop it now vote joebiden2020,United States of America,California,CA,Donald Trump,1,0.2\r\n212,10/21/2020,iloanya1 what you said...he truly is. it's called projection. the question is how much kompromat do they also have on newton he's as dirty as they come. when they deflect for trump they're also deflecting for themselves.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n213,10/21/2020,immigration children border kids torture disease covid corona trump dhs doj barr pompeo,United States of America,New York,NY,Donald Trump,0,-0.7\r\n214,10/21/2020,in my hometown of bonifay florida is this donaldtrump shrine. this is fucking ridiculous. vote votebluetoendthisnightmare,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n215,10/21/2020,is trump sad or angry beneath the wave which means.... can't wait to see that interview.,United States of America,California,CA,Donald Trump,1,0.3\r\n216,10/21/2020,isn't it something when potus realdonaldtrump has corporations on edge enough to have their legal teams ready with disclaimers against anything trump might say involving their companies exxon,United States of America,New York,NY,Donald Trump,0,-0.6\r\n217,10/21/2020,isn\xe2\x80\x99t it funny that the same people who are part of the resistance are voting for a 47 year career politician with increasing evidence of blatant cronyism hunterbiden hunterslaptop beijingbiden maga2020landslidevictory trump vote,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n218,10/21/2020,it seems that covid has affected trump\xe2\x80\x99s brain. it can do that.,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n219,10/21/2020,it's a good thing the house didn't catch on fire hunter biden joe burisma emails laptop biden crackinducedcoma forgot to take the pipe out trump maga kag,United States of America,Florida,FL,Donald Trump,1,0.1\r\n220,10/21/2020,ivanka trump accused of \xe2\x80\x98violating critical ethics law\xe2\x80\x99 eight times in two days by us watchdog..trump..gop..,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n221,10/21/2020,i\xe2\x80\x99ll be reporting from northcarolina in tomorrow\xe2\x80\x99s irishtimesworld as polls show the presidential race is a dead heat. lots of enthusiasm among trump supporters here ahead of rally election2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n222,10/21/2020,jasonmillerindc yes pa is trump knockout punch. if he win pa it\xe2\x80\x99s light out for biden.,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n223,10/21/2020,jennycohn1 it's an effort to keep trump from retweeting because he can't figure out how to do it.,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n224,10/21/2020,jesus trump threatens women media black people mexicans judges cdc fbi dems what's next and what's left wtf,United States of America,New York,NY,Donald Trump,0,-0.8\r\n225,10/21/2020,joebiden admits that he won\xe2\x80\x99t do anything to stop covid19 biden2020 election2020 joebiden votebiden donaldtrump 4moreyears joewillleadus maga2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n226,10/21/2020,joebiden has no china policy other than appeasing it and china is the nastiest threat for the whole world for the free world so no room to make mistake. no to china yes to america. so trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n227,10/21/2020,joebiden salvadolly trump lose &amp; leave usa please oh please oh please oh please oh please oh please oh please oh please oh please oh please oh please oh please oh please oh please oh trumpisaloser,United States of America,California,CA,Donald Trump,0,-0.4\r\n228,10/21/2020,joetalkshow russiandisinformation is all trump gop has left in their bag of propaganda,United States of America,Maine,ME,Donald Trump,0,-0.8\r\n229,10/21/2020,jones day lawyers who earned millions as outside counsel to trump\xe2\x80\x99s re-election campaign donated ~$90k to the campaign committee of joebiden. contributions to the trump campaign by jones day lawyers totaled just $50 records show-cnn \xf0\x9f\x98\x82 votebluedownballot bidenharris \xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Donald Trump,2,0\r\n230,10/21/2020,joshtpm andrewfeinberg hey foxnews let's look at trump tax records past 2015 to vindicate him on nytimes story,United States of America,California,CA,Donald Trump,0,-0.2\r\n231,10/21/2020,kayleighmcenany  trump voter numbers underestimated again,United States of America,New York,NY,Donald Trump,0,-0.1\r\n232,10/21/2020,kayleighmcenany is the shining light in humanity vote trump2020tosaveamerica trump,United States of America,California,CA,Donald Trump,1,0.3\r\n233,10/21/2020,kc_brida jan55022527 legacypolitics i love diversity in my family we are definitely considered diverse...blk wht native asian hispanic-catholic baptist buddhist native agnostic. we all love each other very much im a trump supporter some are libertarian some ex-democrat some independent-none dem now,United States of America,Colorado,CO,Donald Trump,1,0.7\r\n234,10/21/2020,kc_kasey_kc sick people. wait until trump wins again-they\xe2\x80\x99ll be worse if that\xe2\x80\x99s possible \xf0\x9f\x98\x92,United States of America,New York,NY,Donald Trump,0,-0.7\r\n235,10/21/2020,kylegriffin1 the enemy is among us. trump pence,United States of America,New York,NY,Donald Trump,0,-0.2\r\n236,10/21/2020,lara trump mocks stuttering \xf0\x9f\x98\xa1\xf0\x9f\x98\xa1\xf0\x9f\x98\xa1 this is awful please retweet to help educate trump biden debate president istutter stuttering awareness educate stamily,United States of America,New York,NY,Donald Trump,0,-0.8\r\n237,10/21/2020,last night walking i encounter a neighbor. we pass a pop up amusement park. the two of us shared antipathy over the large crowd. her that's why i'm voting for trump at least you already know what you're getting into. me *immediately crosses to the other side of the street*\xf0\x9f\x98\xa1,United States of America,California,CA,Donald Trump,2,0\r\n238,10/21/2020,lawyers say they can't find the parents of 545 children who were separated at the u.s.-mexico border because of the trump administration's cruel immigration policies...trump..gop..,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n239,10/21/2020,look - trump has already taken away our soul - who cares about anything else at this point. votethemonsterout,United States of America,California,CA,Donald Trump,0,-0.1\r\n240,10/21/2020,lower manhattan protests today. trump flag march on broadway city hall to battery park 330 -530 pm. meanwhile daily outnow anti-trump event 4 pm starting in union square park is on. best not to drive downtown but  please also avoid brooklyn bridge lafayette west s hwy.,United States of America,New York,NY,Donald Trump,2,0\r\n241,10/21/2020,maga maga2020 trump trumpisalaughingstock trumpisaracist trumpisnotwell trumpisanationaldisgrace trumpvirusdeathtoll220k,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n242,10/21/2020,maga2020 kag2020 kag maga trump2020 trump trumpkillsus trumpisnotwell vetsagainsttrump veteran veteransfortrump,United States of America,California,CA,Donald Trump,1,0.1\r\n243,10/21/2020,make america great again thingstrumpsay trump iamtrump iwin america,United States of America,New York,NY,Donald Trump,2,0\r\n244,10/21/2020,mariayjimmy franklin_graham jesus represents love he would not support the evil of  trump,United States of America,California,CA,Donald Trump,0,-0.3\r\n245,10/21/2020,mattdpearce borat. rudy is a perv like epstein trump and dershowitz. lockhimup,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n246,10/21/2020,maxbrooksauthor melbrooks this is ridiculous. i am voting trump,United States of America,Arizona,AZ,Donald Trump,0,-0.5\r\n247,10/21/2020,mayor ted wheeler warns portland risks for post-election unrest    \xe2\x80\xa6 portland orpol portlandpolice portlandprotests portlandriots tedwheeler sarahiannarone trump biden election2020 oregon protests blm,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n248,10/21/2020,meanwhile trump regime blowhard mike pompeo sucks up to anti-gay religious group...,United States of America,Hawaii,HI,Donald Trump,0,-0.7\r\n249,10/21/2020,metaphor- this was the before earthquake...a couple more days will be the earthquake followed by the aftershock. trump,United States of America,California,CA,Donald Trump,2,0\r\n250,10/21/2020,miablove hemming and hawing on cnnbrk with jaketapper on whether or not she will vote for trump is crazy after his reprehensible remarks about her and haiti and how he disrespects blackwomen there should be no question,United States of America,New York,NY,Donald Trump,0,-0.6\r\n251,10/21/2020,miamipolice officerubeda is actually violating the law by wearing donaldtrump campaign gear while on the job in uniform; danielubeda needs to be terminated; the miami police aren't being transparent about how they're handling this\xe2\x80\x94a persuasive argument to defundthepolice~,United States of America,New York,NY,Donald Trump,0,-0.8\r\n252,10/21/2020,michaelcohen212 thank you so much please keep trying to find ways to talk directly to the maga2020 people.. they typically don\xe2\x80\x99t get fed any reality i think your words make a difference maga trump debate2020,United States of America,New Mexico,NM,Donald Trump,1,0.8\r\n253,10/21/2020,missyb4trump rod_lou_bhz i\xe2\x80\x99m a christian but i think anyone who is smart enough to figure it out from any religion spirituality or even atheist should vote for realdonaldtrump. he\xe2\x80\x99s looking out for the us first. truly the real deal. vote trump,United States of America,Texas,TX,Donald Trump,1,0.2\r\n254,10/21/2020,mittromney did not vote for trump in 2020 election thehill,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n255,10/21/2020,mixed greens cafe located at 2486 coney island avenue. biden trump trending politics nyc breaking business lockhimup hurtingbusiness notamerica quarantinelife covid19 cryptocurrencies october,United States of America,California,CA,Donald Trump,0,-0.2\r\n256,10/21/2020,my eyelid won\xe2\x80\x99t stop twitching. the problem is there are 852 reasons why and i can\xe2\x80\x99t narrow it down at the moment. trump covid overdemandingjobduringcovid anxiety depression shouldigetacat somanyknittingprojectsunfinished howdoiweld doestheperfectsandwichexist avocados,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n257,10/21/2020,my god...this child wanted his dad for his birthday. what the hell has trump and his horrendous administration done childseparation jacobsoboroff deadlinewh msnbc,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n258,10/21/2020,natashabertrand sykescharlie trump rarely acts as potus for the entire nation. it's always about catering to his supporters and to hell with everyone else. he must go. vote him out countryoverparty,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n259,10/21/2020,nature endorses joebiden latest top scientific journal to condemn trump actions via forbes,United States of America,California,CA,Donald Trump,1,0.1\r\n260,10/21/2020,negrosubversive iamjermainew trump was a rehearsal. they now know it is possible. next one will be more personable.,United States of America,New York,NY,Donald Trump,2,0\r\n261,10/21/2020,nepiddd foxnews i\xe2\x80\x99m voting trump &amp; was a lifelong democrat before. voted obama twice even. i\xe2\x80\x99m done. walkaway trump,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n262,10/21/2020,newlyreleased reports show whitehouse saw covidcrisis worsening as trump downplayed  via msnbc news covid\xe3\x83\xbc19 covid covid_19 coronavirus coronaviruspandemic pandemic,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n263,10/21/2020,no trump hasn\xe2\x80\x99t been the best president for black america since lincoln - vox - pro trump black voters i dare you to read this article blacktrumpvoters black trump vote2020,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n264,10/21/2020,no understanding of government the way it works or his job as president ridiculous vindictive trump goes on foxnews to order usagbarr to 'act fast' on opening an investigation into biden foxandfriends seanhannity tuckercarlson rushlimbaugh,United States of America,New York,NY,Donald Trump,0,-0.9\r\n265,10/21/2020,notice how trump if he loses has gone from threatening not to peacefully transition to threatening to leave the country that's because he now realizes mcconnell and senate repubs won't back his coup...because they hate him as much as dems do...,United States of America,New York,NY,Donald Trump,0,-0.8\r\n266,10/21/2020,now trump is throwing parscale under the bus...,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n267,10/21/2020,obama calling trump to the carpet. holding nothing back.,United States of America,Louisiana,LA,Donald Trump,0,-0.5\r\n268,10/21/2020,obama is absolutely burying trump right now,United States of America,New York,NY,Donald Trump,0,-0.4\r\n269,10/21/2020,oh boo hoo. trump should grab himself by his pussy.,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n270,10/21/2020,oh man barackobama is on fire.  he\xe2\x80\x99s literally reading realdonaldtrump for filth.  i can\xe2\x80\x99t wait for donaldtrump to wine like a little baby that he is about it too maga,United States of America,California,CA,Donald Trump,2,0\r\n271,10/21/2020,oh my. \xf0\x9f\xa4\xa8 trump,United States of America,Indiana,IN,Donald Trump,2,0\r\n272,10/21/2020,oh thank goodness. trump has reached the we will make  great again part of his speech. this is almost over.,United States of America,Oregon,OR,Donald Trump,1,0.3\r\n273,10/21/2020,ohiostate nwo thebattle; theemperor...4 trump n all what nancypelosi n thedemocrats want n r planning is a divorce n a win in their fight 4 thewhitehouse n 2 have therepublicans give them a hugecheck so tell nancy sorrybabe talkwithmylawers in 2 weeks...,United States of America,Ohio,OH,Donald Trump,0,-0.3\r\n274,10/21/2020,ok trump. slow down...trump...trump   fuck trump,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n275,10/21/2020,ok...we have toobin and now rudy which certainly have a humor element but does anyone think there aren\xe2\x80\x99t worst stories about trump,United States of America,Minnesota,MN,Donald Trump,0,-0.6\r\n276,10/21/2020,on fox dol secgenescalia maintaining trump policies 'vital' for rebuilding economy job growth. defends osha,United States of America,Texas,TX,Donald Trump,1,0.3\r\n277,10/21/2020,on voting it's always the most important election of your life  via lithub vote voting democrats republicans president trump presidentialelectionin2020,United States of America,Texas,TX,Donald Trump,2,0\r\n278,10/21/2020,on \xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5 let's votehimout2020 trump  realdonaldtrump,United States of America,Texas,TX,Donald Trump,2,0\r\n279,10/21/2020,opinion | fauci\xe2\x80\x99s refusal to quit shouldn\xe2\x80\x99t surprise anyone    fauci trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n280,10/21/2020,painefulmemes paumanokh is this a \xe2\x80\x9cfriendly fire incident\xe2\x80\x9d attack by a military force on friendly troops while attempting to attack enemy.  usually called \xe2\x80\x9cblue on blue\xe2\x80\x9d but in this situation we will refer to it as \xe2\x80\x9cred on red\xe2\x80\x9d.  biden trump politics trending bluewave redwave election2020 vote,United States of America,California,CA,Donald Trump,0,-0.5\r\n281,10/21/2020,parents of 545 children separated at the border cannot be found ice trump  immigration   ucfdevossbm institutessj,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n282,10/21/2020,pelosi trump bank account in china a 'national security issue' thehill,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n283,10/21/2020,penn jillette on libertarianism taxes trump clinton and weed | big think,United States of America,California,CA,Donald Trump,0,-0.2\r\n284,10/21/2020,pennsylvania poll joebiden leads donaldtrump in usa today/suffolk poll,United States of America,New York,NY,Donald Trump,1,0.1\r\n285,10/21/2020,people oh hey why not might it obvious that you\xe2\x80\x99re completely ignoring the biden story and reporting irrelevant news about trump.,United States of America,Tennessee,TN,Donald Trump,0,-0.8\r\n286,10/21/2020,phil curtis provided commentary via shrm's latest article election2020 biden and trump differ dramatically on immigration.,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n287,10/21/2020,please god - let justice reign trump\xe2\x80\x99s manic efforts for a second term might be more than just ego \xe2\x80\x93 winning could mean the difference between freedom and prison.  via huffpostpol,United States of America,New York,NY,Donald Trump,0,-0.3\r\n288,10/21/2020,politifact any evidence about the laptop hard drive of trump abusing immigrant children he had separated from their families i haven't heard anyone say he didn't do that.  trumpisanationaldisgrace trump,United States of America,Utah,UT,Donald Trump,2,0\r\n289,10/21/2020,poll president trump joe biden deadlocked in wisconsin potus trump politics,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n290,10/21/2020,praying to jesus for trump  4 more years trump donaldjtrumpjr  the great american revival,United States of America,California,CA,Donald Trump,1,0.8\r\n291,10/21/2020,projectlincoln trump - the worst president ever.,United States of America,California,CA,Donald Trump,0,-0.8\r\n292,10/21/2020,prosecuting a former president may be a huge constitutional &amp; governance issue our country soon faces. but for now the possibility simply shows trump\xe2\x80\x99s desperation. he\xe2\x80\x99ll stop at nothing to remain in office and remain out of jail. utpol elections2020,United States of America,Utah,UT,Donald Trump,0,-0.4\r\n293,10/21/2020,prosecutors say kerik had bill faked for renovation of his apartment  trump pardoned him for 8 felonies which he pled to in 2010. seems he didn\xe2\x80\x99t learn his lesson abt respecting the law. expect pardons by 45 for all kind of undeserved wealthy sycophants,United States of America,Tennessee,TN,Donald Trump,0,-0.6\r\n294,10/21/2020,radiofreetom donaldtrump hires the best people \xf0\x9f\x99\x84\xf0\x9f\x99\x84\xf0\x9f\x99\x84\xf0\x9f\x99\x84\xf0\x9f\x99\x84votebluetoendthisnightmare voteblue,United States of America,Colorado,CO,Donald Trump,1,0.7\r\n295,10/21/2020,ragemichelle so it is trump month,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n296,10/21/2020,rapper 50cents  endorses trump after seeing democrats' tax plan 50centfortrump,United States of America,California,CA,Donald Trump,2,0\r\n297,10/21/2020,real tears. trying to image trump doing this.,United States of America,California,CA,Donald Trump,2,0\r\n298,10/21/2020,realdonaldtrump  anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n299,10/21/2020,realdonaldtrump  anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n300,10/21/2020,realdonaldtrump  anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n301,10/21/2020,realdonaldtrump 50cent is black &amp; he is voting for realdonaldtrump so all black people should vote for donaldtrump. but wait 50cent is also part of the 1% &amp; a member of the globalelites; so am i to identify with him based on my blackness when he identifies more with the 1% neiliberalism,United States of America,New York,NY,Donald Trump,2,0\r\n302,10/21/2020,realdonaldtrump 60minutes the book is blank just like the other blank documents that trump signs.,United States of America,California,CA,Donald Trump,0,-0.5\r\n303,10/21/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n304,10/21/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n305,10/21/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n306,10/21/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n307,10/21/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n308,10/21/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n309,10/21/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n310,10/21/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n311,10/21/2020,realdonaldtrump breitbartnews obama ripped trump to shreds in philadelphia,United States of America,Nevada,NV,Donald Trump,0,-0.5\r\n312,10/21/2020,realdonaldtrump breitbartnews trump will die in jail.,United States of America,Minnesota,MN,Donald Trump,0,-0.6\r\n313,10/21/2020,realdonaldtrump elisestefanik no thanks  trump,United States of America,Virginia,VA,Donald Trump,0,-0.6\r\n314,10/21/2020,realdonaldtrump faucishark trumpisacoward trump magaisover resist fauciherotrumpzero,United States of America,California,CA,Donald Trump,1,0.1\r\n315,10/21/2020,realdonaldtrump get the stimulus bill approved asap donnie trump pelosi,United States of America,Georgia,GA,Donald Trump,2,0\r\n316,10/21/2020,realdonaldtrump his tax plan is asking for 3%more which is half as much as before trump thetraitor tax cut. this is a perfect example of greedy rich people.  they want the poor and middle class to pay to run this country while they get richer,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n317,10/21/2020,realdonaldtrump stevekalayjian varneyco why is it that you keep saying things that the data doesn\xe2\x80\x99t support  the stock market was on fire +70% when obama was president. realdonaldtrump has only delivered +36% which is less.  trump,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n318,10/21/2020,realdonaldtrump told me that he's afraid to ever tell a general 'no.' trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n319,10/21/2020,realdonaldtrump trump trumpisaloser trumpisababy,United States of America,New York,NY,Donald Trump,1,0.1\r\n320,10/21/2020,realdonaldtrump trump trumpiscompromised trumpcrimefamily,United States of America,Massachusetts,MA,Donald Trump,1,0.1\r\n321,10/21/2020,realdonaldtrump trumpisnotwell trump,United States of America,New York,NY,Donald Trump,2,0\r\n322,10/21/2020,realdonaldtrump will get mad at anyone who gets too close to his secrets trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n323,10/21/2020,recent daily figures of new reported cases of covid-19 in china was 11 out of a combined total of 91030 since the pandemic began. reported deaths from the disease stand at 4739 in the country according to johns hopkins. trump has killed 220000,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n324,10/21/2020,reesusp sfnativekelly the story of trump stiffing the polish workers was one of the first stories i came across while doing my own research back in 2015. take the time to read this thread. votebluetoendthisnightmare bidenharris2020landslide,United States of America,Michigan,MI,Donald Trump,1,0.1\r\n325,10/21/2020,registros fiscales muestran que trump mantiene una cuenta bancaria en china -  evnews donaldtrump china eeuu 21oct,United States of America,Florida,FL,Donald Trump,1,0.2\r\n326,10/21/2020,remember the last worldserieswhen trump got booed out of the stadium i do&amp; it was grand. then trumpbooed trended &amp; there was a brevity of joygracing our sullen spirits for momentary hope that this fascist would be impeached yet our hope is now close.trumpgotbooed trump,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n327,10/21/2020,reminder that trump and his administration did this on purpose. it was their strategy. immigration,United States of America,Indiana,IN,Donald Trump,0,-0.2\r\n328,10/21/2020,reminder...pls be careful. we don't need any reason to lose to trump because mistakes were made. dumptrump2020 bidenharrislandslide2020 floridaforbiden votebidenharristosaveamerica,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n329,10/21/2020,richcahill ericbolling realdonaldtrump brettfavre right. joe's in his basement eating pudding taking memory meds and erasing hard drives. trump is taking interviews doing townhalls on hostile liberal/communist networks and going to 2 or 3 rallies per day. tens of thousands show up for trump. joebiden draws 5 reporters. lol.,United States of America,Wisconsin,WI,Donald Trump,2,0\r\n330,10/21/2020,rizzotk glennkesslerwp that is what trump does not biden.  trump is the one who fired all the ig's that were investigating pompeo and the rest of the criminal syndicate. gopsuperspreaders,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n331,10/21/2020,robreiner i hope you\xe2\x80\x99re right. this race shouldn\xe2\x80\x99t be close b/c trump is obviously insane. i\xe2\x80\x99m just so confused how everyone can\xe2\x80\x99t see this. bidenharris2020landslide trumpisanationaldisgrace trumpisunfitforoffice trumpcrimefamily,United States of America,California,CA,Donald Trump,0,-0.2\r\n332,10/21/2020,robreiner it was pitch perfect. for the first time in four years he called out all the failures of trump,United States of America,Texas,TX,Donald Trump,1,0.5\r\n333,10/21/2020,roxy49278108 we all love our country. our disagreement is about what\xe2\x80\x99s best for her. trump is going to lose. prepare yourself. there will still be a need for all of us. together. epluribusunum.,United States of America,California,CA,Donald Trump,1,0.1\r\n334,10/21/2020,rudygiuliani i see you\xe2\x80\x99re starring in the new borat movie sequel starring sashacohennyc. any trump supporter who considers themself as a christian should find your unpaid and volunteer cameo appearance on borat as indicative of your boss\xe2\x80\x99s serial immorality and adultery.,United States of America,California,CA,Donald Trump,2,0\r\n335,10/21/2020,russia and iran interfering in our election both that trump may have some interests in big question taxreturns,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n336,10/21/2020,sadly i think the article is accurate. we need a massive voter turnout to turn off some of the nation's outrage against trump. even with that i think there will be opportunists.,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n337,10/21/2020,sarahkendzior andreachalupa could be wrong but they historically have not been. vote forhistoryssake biden votebidenharris2020 trumpcrimefamily trumpgenocide trumpchinabankaccount covid19 trump votethemallout trumppenceoutnow sacramento refusefascism,United States of America,California,CA,Donald Trump,2,0\r\n338,10/21/2020,savethe600 is not a discentive to work as senatemajldr realdonaldtrump stevenmnuchin1 markmeadows thinks speakerpelosi senschumer jobs shut down like events concerts theaters broadway bc of +covid cases skyrocketing donaldtrump ur a disgrace to mankind reliefnow,United States of America,New York,NY,Donald Trump,0,-0.8\r\n339,10/21/2020,seanhannity the book is blank just like the other blank documents that trump signs.,United States of America,California,CA,Donald Trump,0,-0.5\r\n340,10/21/2020,secret bank account in china \xf0\x9f\x98\x82\xf0\x9f\xa4\xa1 trump potus gop whitehouse,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n341,10/21/2020,secretchinesebankaccounts trumpcannotandmustnotbetrusted trumpdidnotdivest trumpcrimes trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n342,10/21/2020,senator ronjohnson of wisconsin has been demanding that fbidirector chriswray inform congress whether or not the fbi was in possession of hunter biden\xe2\x80\x99s laptop during the senate trump impeachmenttrial held in december as johnissac alleges.,United States of America,California,CA,Donald Trump,0,-0.5\r\n343,10/21/2020,senatortimscott bjuedu bob jones university banned interracial dating all the way up into the 21st century. not only will black and brown children study this disgraceful institution\xe2\x80\x99s racist past but they\xe2\x80\x99ll study *your* disgrace as a supporter of trump\xe2\x80\x94the most vile racist president in our lifetime.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n344,10/21/2020,shame on you trump votebidenharristosaveamerica,United States of America,Massachusetts,MA,Donald Trump,0,-0.8\r\n345,10/21/2020,since trump is proclaiming victory in the presidential election let's smack him in the face - votebidenharristosaveamerica,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n346,10/21/2020,so great to see chriscuomo  burnish his pro-trump bona fides by trashing joebiden and then bringing on pathetic trump sycophant ricksantorum to finish him off. i don\xe2\x80\x99t know why i try. byecnn cnn hello msnbc and maddow,United States of America,Louisiana,LA,Donald Trump,0,-0.1\r\n347,10/21/2020,so let me get something straight. everything the dems accuse trump of being racist sexual predator national security threat bc of relations with other countries with no proof of &amp; is reason you hate him is actually all the truth about biden with proof. and y\xe2\x80\x99all support him,United States of America,New York,NY,Donald Trump,0,-0.2\r\n348,10/21/2020,so the fbi had the laptop during trump impeachment but fbidirector chriswray\xe2\x80\x99s coverup is really evil,United States of America,California,CA,Donald Trump,0,-0.6\r\n349,10/21/2020,some facts about the world trump has a sack of jangly bitcoins used only for beating enemies.learningtime,United States of America,New York,NY,Donald Trump,0,-0.6\r\n350,10/21/2020,stellastar711 joebiden senatemajldr gopleader any count on how many rounds the diva of the gop aka lindseygrahamsc was there to clean trump golf cleats  trumpcrimefamily trumpgolf,United States of America,New York,NY,Donald Trump,1,0.2\r\n351,10/21/2020,take that trump fauci,United States of America,Minnesota,MN,Donald Trump,0,-0.3\r\n352,10/21/2020,teamtrump realdonaldtrump indian voter for trump. we love you realdonaldtrump trump2020 donaldtrump trumprallynorthcarolina,United States of America,New York,NY,Donald Trump,1,0.4\r\n353,10/21/2020,thanks trump dumptrump2020 family,United States of America,Washington,WA,Donald Trump,1,0.7\r\n354,10/21/2020,that reply... trump whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n355,10/21/2020,that\xe2\x80\x99s a leader.  donaldtrump would have made fun of him and pushed him away,United States of America,Oklahoma,OK,Donald Trump,0,-0.2\r\n356,10/21/2020,that\xe2\x80\x99s not surprising. trumpchinabankaccount trump trumpout2020 trump2020 votebiden trumpcovid covid19 americafirst countryoverparty betterknowaballot,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n357,10/21/2020,the answer to this question is straightforward. trump supporters are absent of morals and ethics. they are selfishly motivated by greed. trumpcult trumpchinabankaccount,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n358,10/21/2020,the beginning of the womensmarch2020 \xc2\xa9sait serkan gurbuz uscapitol trump nixon biden harris,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n359,10/21/2020,the dallascowboys are dead the packers are not byu is zach wilson a legit heisman candidate trump vs 60 mins.,United States of America,Arizona,AZ,Donald Trump,0,-0.5\r\n360,10/21/2020,the great thing about the hulu doc totallyundercontrol recovid19 coronavirus is that it makes you want to scream until you explode from frustration at the horrifying ineptitude of the trump admin. jk that part sucks but srsly everyone should watch esp before election2020,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n361,10/21/2020,the happy-go-lucky jewish group that connects trump and putin - politico magazine trump,United States of America,New York,NY,Donald Trump,1,0.1\r\n362,10/21/2020,the intelligence director who is undermining trust and truth  as a colleague on house judiciary his only \xe2\x80\x9cdistinction\xe2\x80\x9d was excessive trump pandering  equal to gaetz . and fibbing about his immigrant \xe2\x80\x9carrest\xe2\x80\x9d history. now destroying intelligence reputation,United States of America,Tennessee,TN,Donald Trump,0,-0.8\r\n363,10/21/2020,the latest shestokas declaration daily  election2020 trump,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n364,10/21/2020,the margin president trump warns \xe2\x80\x98your 401k\xe2\x80\x99s will crash\xe2\x80\x99 but investors don\xe2\x80\x99t seem too worried about it politicalparties trump potus,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n365,10/21/2020,the margin \xe2\x80\x98borat\xe2\x80\x99 sequel\xe2\x80\x99s debut is an election 2020 plot twist you didn\xe2\x80\x99t see coming as trump lawyer rudy giuliani features in compromising scene politics potus trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n366,10/21/2020,the miami cop who wore the trump \xf0\x9f\x98\xb7 to the polling site.... should be fired thereidout,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n367,10/21/2020,the new animaniacs trailers is wild. i'm so insanely excited for this. the show was always great at political satire. can't wait to see what they do with the trump administration.,United States of America,Georgia,GA,Donald Trump,1,0.6\r\n368,10/21/2020,the trump potus administration justiceatr and housejudiciary case against $googl bigtech siliconvalley isn't clear cut and could harm cos that benefit consumers &amp; small business business bopinion editorial board concludes.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n369,10/21/2020,the trump\xc2\xa0campaign has outspent biden throughout 2020. but in the last week the bidenforpresident\xc2\xa0campaign has narrowed the gap with a youtube takeover that led to equal digital dollars spent by each candidate in one week.,United States of America,California,CA,Donald Trump,1,0.1\r\n370,10/21/2020,the wonder of the abraham accords  abrahamaccords israel middleeast middleeastpeace trump,United States of America,California,CA,Donald Trump,1,0.5\r\n371,10/21/2020,the wonder of the abraham accords - meir y. soloveichik  abrahamaccords israel middleeast middleeastpeace trump,United States of America,California,CA,Donald Trump,1,0.5\r\n372,10/21/2020,thehill she sounds so freaking reasonable compared to trump.,United States of America,Texas,TX,Donald Trump,1,0.9\r\n373,10/21/2020,therickwilson it\xe2\x80\x99s too much the laptop is attached to every projected crime committed  by trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n374,10/21/2020,these americans were forced into poverty by weak leadership from realdonaldtrump-golfing instead of serving &amp; mocking instead of passing relief packages for 8 million americans. empty promises from trump,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n375,10/21/2020,thetenthcoming trump trump2020 trump2020landslide trump2020tosaveamerica trump2020landslidevictory kag maga maga2020 republicanparty bidencrimefamiily bidengate bidenscandal get him \xf0\x9f\x98\xa1\xf0\x9f\x98\xa1,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n376,10/21/2020,they out here in atlanta putting trump stickers on the back of peoples cars im a victim how desperate are you idiotic trump supporters vandalizing peoples cars yall desperate and pathetic,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n377,10/21/2020,this feels like news. \xf0\x9f\x98\xb3 trump china,United States of America,Indiana,IN,Donald Trump,1,0.1\r\n378,10/21/2020,this is a hugenew and terrifying republican gop trump grift grifterinchief griftersgonnagrift republicansaredestroyingamerica,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n379,10/21/2020,this is a \xe2\x80\x9cdead man walking\xe2\x80\x9d maga trumpdevastation trumpcovid19 trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n380,10/21/2020,this is another pos with foreign influence in mind china russia north korea iran india thearabs own trump therefore they own the gop vote biden at least he won\xe2\x80\x99t sale americans.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n381,10/21/2020,this is exactly what trump makes fun of.,United States of America,Missouri,MO,Donald Trump,0,-0.1\r\n382,10/21/2020,this is great pathologicalliar trump,United States of America,Texas,TX,Donald Trump,1,0.8\r\n383,10/21/2020,this is just one reason trump and his administration need to be charged with crimesagainsthumanity crimesagainstchildren and possibly turned over to the hague for trial. this includes rodrosenstein stephenmiller billbarr jeffsessions etc,United States of America,Washington,WA,Donald Trump,0,-0.4\r\n384,10/21/2020,this is sexual harassment borderline pedophilia. rudygiuliani is an abomination and he\xe2\x80\x99s donaldtrump\xe2\x80\x99s personal attorney of course. absolutely revolting.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n385,10/21/2020,this is so heartbreaking. \xf0\x9f\x98\xa2\xf0\x9f\x99\x8f\xf0\x9f\x8f\xbelawyers say they can't find the parents of 545 migrant children separated by the \xe2\x81\xa6\xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 administration trump immigration,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n386,10/21/2020,this is the latest data from the mainegov statewide absentee voter list for general election 2020 versus 2016. is anybody following this data seems impossible. trump trump2020 usa \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n387,10/21/2020,this is who trump is corrupt to the core. votehimout,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n388,10/21/2020,this was a truly desperate and despicable act by a man who should be on his damn way out of office. it was also a vote for trump whom he\xe2\x80\x99s been so allegedly outspoken about larryhogan,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n389,10/21/2020,this was not a flip they had to work particularly hard to pull off. trump covid19,United States of America,New York,NY,Donald Trump,0,-0.3\r\n390,10/21/2020,thisaintnick15 tamikaghamilton that's right trump only cares about the color green wanna make green step up....america vote,United States of America,California,CA,Donald Trump,0,-0.6\r\n391,10/21/2020,thursday live tunein ahoraoscarhaza 8pm  donaldtrump joebiden debate election decisions florida vote republican democrats thursdaythoughts,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n392,10/21/2020,tmz michaeljackson never molested any children and he never slept with kids in his bed. waderobson and jamessafechuck are still liars. they lied more than donaldtrump,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n393,10/21/2020,to date 19 women have accused donaldtrump of sexual misconduct  \xf0\x9f\xa7\x90,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n394,10/21/2020,today i saw another dynamic aspect of bottradio. richbott2 &amp; team along w/ caryvaughn44 gathered a group of memphis pastors to support johndeberry. a 26yr democrat rep who is pro life &amp; pro trump. kicked out of the dem party &amp; having to run as an independent for tn house,United States of America,Missouri,MO,Donald Trump,2,0\r\n395,10/21/2020,today is the birth date of alfred nobel. yes 'that' nobel. i wish i could send his past consciousness all the trump/nobelpeaceprize nonsense. he might have gotten a kick out of it. alfrednobel.,United States of America,California,CA,Donald Trump,2,0\r\n396,10/21/2020,tomselliott joebiden ronjohnsonwi he is going to say this same garbage during the debate and the moderator will nod her head in agreement and move on. then might right after ask realdonaldtrump why he doesn\xe2\x80\x99t condemn white supremacy. hunterbidenemails trump,United States of America,Nevada,NV,Donald Trump,0,-0.5\r\n397,10/21/2020,tonyschwartz people who are mentally ill stay mentally ill in repeated behavior. trump doesn\xe2\x80\x99t realize he\xe2\x80\x99s the issue mmflint joebiden robreiner trumpmeltdown trumpisanationaldisgrace,United States of America,New York,NY,Donald Trump,0,-0.7\r\n398,10/21/2020,trump begs william barr to save him revealing weakness and panic,United States of America,North Carolina,NC,Donald Trump,0,-0.5\r\n399,10/21/2020,trump built a better swamp,United States of America,New York,NY,Donald Trump,0,-0.1\r\n400,10/21/2020,trump can\xe2\x80\x99t win if he plays by the rules. he can\xe2\x80\x99t do that. the whole family is shameful. trumpfamilygrifters cheaters loserinchief,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n401,10/21/2020,trump caught outside in the wh garden...fuck trump cant you control any of your orifices,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n402,10/21/2020,trump china bank account,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n403,10/21/2020,trump ends interview with '60 minutes' abruptly reports say.,United States of America,Nevada,NV,Donald Trump,0,-0.4\r\n404,10/21/2020,trump folks will carry out his illegal demands.,United States of America,Kentucky,KY,Donald Trump,0,-0.7\r\n405,10/21/2020,trump has a secret chinese bank account,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n406,10/21/2020,trump has been unable to weaponize any issue against joe because he's already knee-deep himself on all the normal attack points. taxes foreign influence shady deals morality dishonesty flip/flops women inaction you name it. trump biden,United States of America,California,CA,Donald Trump,0,-0.5\r\n407,10/21/2020,trump has secretchinesebankacct,United States of America,Washington,WA,Donald Trump,0,-0.1\r\n408,10/21/2020,trump i would find a new firm. lawyers at firms representing trump campaign favor biden,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n409,10/21/2020,trump is as corrupt as you can be,United States of America,Michigan,MI,Donald Trump,0,-0.8\r\n410,10/21/2020,trump is just beginning...beijingbiden...will not....be tough on ccpchina...never hashunterbiden and never would be....wakeupamerica to our greatest threat an existentialthreat-ccpchina,United States of America,North Carolina,NC,Donald Trump,0,-0.7\r\n411,10/21/2020,trump is my president realdonaldtrump  the great american revival,United States of America,California,CA,Donald Trump,1,0.6\r\n412,10/21/2020,trump is simply too unstable too erratic too lawless too impulsive too reactive too combative to lead our country through this crisis. the idea that we would be doing this for another four years is incomprehensible. notwotrump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n413,10/21/2020,trump is talking to a bunch of women in the crowd. apparently they've gone to see him 61 times. donnie makes a big deal of them bringing their husbands along tonight.,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n414,10/21/2020,trump just said can\xe2\x80\x99t have woman as first president in usa  damn media is coming after you sirelection2020,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n415,10/21/2020,trump knows he is going to lose but he\xe2\x80\x99s going to make all of us pay for it.  vote bidenharris2020 saveamerica,United States of America,California,CA,Donald Trump,2,0\r\n416,10/21/2020,trump maga maga2020 magats maga2020landslide,United States of America,California,CA,Donald Trump,2,0\r\n417,10/21/2020,trump maga2020 stevebannon webuildthewall giuliani pence proudboys russia  borat2,United States of America,California,CA,Donald Trump,1,0.1\r\n418,10/21/2020,trump make america great again republican election white cotton face mask  election2020 uspolitics trump,United States of America,California,CA,Donald Trump,1,0.1\r\n419,10/21/2020,trump only cares about rich white people that live in gated communities.\xf0\x9f\xa4\xae,United States of America,Arkansas,AR,Donald Trump,0,-0.7\r\n420,10/21/2020,trump put more kids in china through school than kids in usa public school systems...looks like trump puts china first. trumpchinabankaccount,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n421,10/21/2020,trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n422,10/21/2020,trump realdonaldtrump we love you here in topeka kansas kansansfortrump,United States of America,Kansas,KS,Donald Trump,1,0.9\r\n423,10/21/2020,trump records shed new light on chinese business pursuits. politics china,United States of America,New York,NY,Donald Trump,0,-0.3\r\n424,10/21/2020,trump says us is 'crushing' coronavirus as country passes 220000 deaths ..trump..gop..covid19..,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n425,10/21/2020,trump starts to talk about his law enforcement endorsements and the crowd starts chanting...something. i can't figure out what they're saying. this crowd is *not* good at unison chanting.,United States of America,Oregon,OR,Donald Trump,0,-0.7\r\n426,10/21/2020,trump the \xe2\x80\x9cdeal-maker\xe2\x80\x9d cannot convince the gop senators to support another economic disaster prevention bill.  donthecon votebluetosaveamerica2020,United States of America,California,CA,Donald Trump,0,-0.2\r\n427,10/21/2020,trump touts economy and warns of bidendepression,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n428,10/21/2020,trump trumpchina maralago,United States of America,California,CA,Donald Trump,1,0.1\r\n429,10/21/2020,trump trumpisnotwell realdonaldtrump yup he will probably drop out,United States of America,New York,NY,Donald Trump,0,-0.3\r\n430,10/21/2020,trump trumptaxes,United States of America,Virginia,VA,Donald Trump,2,0\r\n431,10/21/2020,trump tweets kayleigh mcenany presenting lesley svtahl 60minutes with some of the many things we\xe2\x80\x99ve done for healthcare. like these ultra plush corpse transports we provided to collect the thousands of cronavirus victims who could have been saved if i had spoken up.,United States of America,California,CA,Donald Trump,1,0.1\r\n432,10/21/2020,trump voters summed up in 4 images. this is what trump2020tosaveamerica looks like. what a sad joke.,United States of America,California,CA,Donald Trump,0,-0.5\r\n433,10/21/2020,trump walking out on his ali g interview after 1 minute is the most impressive thing he has ever done in his life trump borat vote,United States of America,California,CA,Donald Trump,1,0.8\r\n434,10/21/2020,trump will concentrate on sunbelt and pa. that\xe2\x80\x99s his only path to electoral victory. just a few votes going for joebiden in ga. az. assure a biden win. of course since polls have texas and florida a tossup a few votes for biden in fla or tex makes it gameover.,United States of America,Florida,FL,Donald Trump,2,0\r\n435,10/21/2020,trump withdrew 15.1 million from china the year he was inaugurated. chinese national then buys ivanka \xe2\x80\x98s apartment for 5 million profit the same year,United States of America,New York,NY,Donald Trump,2,0\r\n436,10/21/2020,trump would claim he gets the highest test scores tip high t-scores in a mmpi-2 test is bad very bad,United States of America,New York,NY,Donald Trump,0,-0.7\r\n437,10/21/2020,trump yes he is a barely6 foot tall stack of blank paper,United States of America,California,CA,Donald Trump,0,-0.3\r\n438,10/21/2020,trump \xe2\x80\x98s last three managers were arrested and one was suicidal. trumpchinabankaccount,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n439,10/21/2020,trump's cash woes mount as biden laps him  via politico trump money campaign finance trumporg trumpcampaign revenue cash fundraising investments cashonhand,United States of America,New York,NY,Donald Trump,0,-0.5\r\n440,10/21/2020,trump's china connections revealed.  of course the fact that he has been bashing china on their trade/tech practices complicates the interpretation of what it means to him.  10 years with no big success  lack of progress on his deals =&gt; trade war out of anger perhaps.,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n441,10/21/2020,trump's most loyal supporters have lost their right to discipline their children for lying. your actions set the example not your words. trump2020 trumppence2020 trumppence biden joebiden bidenharris2020 bidenharris,United States of America,Alabama,AL,Donald Trump,0,-0.4\r\n442,10/21/2020,trump's support at new high in tight race ibd/tipp presidential poll trump2020 trump polls,United States of America,New York,NY,Donald Trump,2,0\r\n443,10/21/2020,trump2020tosaveamerica trump trump2020landslide,United States of America,Illinois,IL,Donald Trump,2,0\r\n444,10/21/2020,trumpchinabankaccount well it is good to know that even if donaldtrump is willing to scapegoat china for the coronavirus calling it chinesevirus he's not above having secret business dealing with them. but please keep going on about hunterbiden. wednesdaywisdom,United States of America,New York,NY,Donald Trump,1,0.1\r\n445,10/21/2020,trumplegacy trump trumporg businessman,United States of America,New York,NY,Donald Trump,2,0\r\n446,10/21/2020,trumptaxfraud trumptaxreturns trumpisatraitor trumpisacriminal trump,United States of America,Virginia,VA,Donald Trump,2,0\r\n447,10/21/2020,trumptaxreturns trumpchinabankaccount trumpchinesebankaccount trumpmadeinchina trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n448,10/21/2020,tuckinginmyshirt  giuliani  rudygiuliani  rudy trump votebluetoendthisnightmare vote votebiden2020,United States of America,Florida,FL,Donald Trump,1,0.1\r\n449,10/21/2020,uhh... this mf paid $188561 in taxes to china from 2013 to 2015 and paid $750 in taxes to the us. china trump taxes douchebag,United States of America,New York,NY,Donald Trump,0,-0.2\r\n450,10/21/2020,us election 2020 ahead of third debate trump holds rally while biden opts for preparation,United States of America,California,CA,Donald Trump,2,0\r\n451,10/21/2020,via meidastouch footage immediately following trump\xe2\x80\x99s 45 minute cbs interview. retweet and tune in this sunday.  vote votehimout,United States of America,Nevada,NV,Donald Trump,1,0.1\r\n452,10/21/2020,virtuosoceo sensanders trump must pay the money \xf0\x9f\x92\xb5 back to foreign countries because trumpiscorrupt.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n453,10/21/2020,vote biden/harris2020  please watch &amp; share  riseup by delaneybramlett we have fought hard for human rights as trump has a disregard for all but himselfofarrelltalent,United States of America,California,CA,Donald Trump,0,-0.4\r\n454,10/21/2020,vote for trump by focusing exclusively on the present. that's thought he'd do a fabulous job.,United States of America,New York,NY,Donald Trump,1,0.2\r\n455,10/21/2020,vote for trump \xe2\x80\x9cstock markets nature see sean.,United States of America,New York,NY,Donald Trump,2,0\r\n456,10/21/2020,votebiden to saveamerica from 220000 covid19 deaths and increasing\xe2\x80\x94struggling businesses\xe2\x80\x94and an allegiance to putin instead of to america\xe2\x80\x94to americans. restore our global leadership. voteblue votebluetoendthisnightmare stopputin\xe2\x80\x99s control of trump and the usa\xe2\x80\x94voteblue,United States of America,California,CA,Donald Trump,2,0\r\n457,10/21/2020,wallstreet  swamp want to defeat trump for their china love election2020,United States of America,California,CA,Donald Trump,2,0\r\n458,10/21/2020,waltshaub like the pageant perv. trump,United States of America,Washington,WA,Donald Trump,2,0\r\n459,10/21/2020,watch live donald and melania trump speak at a campaign rally in erie pennsylvania politics trump politicalparties,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n460,10/21/2020,watch live trump holds pennsylvania rally thehill,United States of America,Texas,TX,Donald Trump,2,0\r\n461,10/21/2020,waynedupreeshow love you wayne.  just trying to get this to melania.  i knew she\xe2\x80\x99d never get a letter so i wrote it in a song instead titled \xe2\x80\x9cdear melania\xe2\x80\x9d \xe2\x99\xa5\xef\xb8\x8f\xf0\x9f\xa4\x8d\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8.  thefive donaldtrump flotus firstlady 2020trumplandslide bebest draintheswamp flotus flotus,United States of America,Tennessee,TN,Donald Trump,1,0.1\r\n462,10/21/2020,wbtv_news only the dumbest most idiotic of our citizens think trump is a decent president.,United States of America,North Carolina,NC,Donald Trump,0,-0.9\r\n463,10/21/2020,we are all americans. i am a patriot with pride realdonaldtrump  trump  the great american revival,United States of America,California,CA,Donald Trump,1,0.3\r\n464,10/21/2020,well good night america lets see what franken trump fucks up tomorrow,United States of America,Colorado,CO,Donald Trump,1,0.7\r\n465,10/21/2020,what do you think should happen to trump,United States of America,Missouri,MO,Donald Trump,0,-0.4\r\n466,10/21/2020,what kind of fucking president has a chinese bank account trumpcrimefamily trump trumpchina,United States of America,New York,NY,Donald Trump,0,-0.9\r\n467,10/21/2020,when donaldtrump loses the 2020election to joebiden \xf0\x9f\x99\x88 release the murderhornets \xf0\x9f\xa6\x9f,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n468,10/21/2020,where trump flags fly violence is not too far behind. just light the match,United States of America,New York,NY,Donald Trump,0,-0.2\r\n469,10/21/2020,whereshunter beijingbiden trump trump2020 trumptrain maga,United States of America,New York,NY,Donald Trump,2,0\r\n470,10/21/2020,white house looks at cutting covid funds newborn screenings in \xe2\x80\x98anarchist\xe2\x80\x99 cities  via politico covid19 trump election,United States of America,New York,NY,Donald Trump,0,-0.5\r\n471,10/21/2020,who am i angrier at the trump admin for years of the now- universally implemented vicious and cruel tactic of separating families at the border or the people performing being offended by that tactic who are just learning of it in 2020,United States of America,California,CA,Donald Trump,0,-0.6\r\n472,10/21/2020,who are you/have you voted for trump biden bidentownhall trump2020tosaveamerica trumptownhall bidenharris presidentialdebate presidentialelection2020 voteearly voteready americafirst america 50cents icecube kanyewest kamalabiden mikepence,United States of America,California,CA,Donald Trump,2,0\r\n473,10/21/2020,who da thunk it hahahahahahahahahahahaha -- what a coinkydink perverts in the trump circle say it ain't so... that shit just won't fly -- or does it trumpchinabankaccount trumpisanationaldisgrace,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n474,10/21/2020,who is the bigger pedophile biden trump election vote democrats conservative countryoverparty voteordie ballotharvesting,United States of America,North Carolina,NC,Donald Trump,2,0\r\n475,10/21/2020,why a surge in republican voterregistration might not mean a surge in trumpsupport  news trump trumpisanationaldisgrace election2020 electionday elections democracy bidenharris2020 bidenharristosaveamerica hope vote,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n476,10/21/2020,why icecube believes trump is the best vote for hamites  via youtube  obama  bidenharris  blm,United States of America,New York,NY,Donald Trump,0,-0.5\r\n477,10/21/2020,why rudyisarussianasset got hired to be trump's lawyer...,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n478,10/21/2020,why trump supporters love potus because he entertains them &amp; that\xe2\x80\x99s all they care about... being entertained &amp; finally being able to enjoy politics or the clown show we\xe2\x80\x99d nesdaywisdom,United States of America,California,CA,Donald Trump,0,-0.8\r\n479,10/21/2020,why would the so-called trump base vote for policy making that they empirically will never benefit from deletetrump erasethegop donaldtrump nor the gop have no real strategy on the important issues that america is really concerned about. minesota michigan northcarolina,United States of America,California,CA,Donald Trump,0,-0.2\r\n480,10/21/2020,with trump administration\xc2\xa0ignoring science &amp; public health experts\xc2\xa0to intentionally\xc2\xa0downplay coronavirus the u.s. recorded more than 60300 new pandemic cases tuesday 10/20/20 hitting\xc2\xa0an increase over 70% in a little over a month.\xc2\xa0,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n481,10/21/2020,worst person in the world keitholbermann youtube olbermann trump's tired of covid... cdcemergency   nih usa usagov cdcgov ourcorona   donews,United States of America,New York,NY,Donald Trump,0,-0.2\r\n482,10/21/2020,wouldn't it be great to see senatortimscott and sen. elect harrisonjaime join forces to discuss racism in america kamalaharris could lead this discussion. it could be a great step towards healing once trump is banished from the white house. bidenharris2020 projectlincoln,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n483,10/21/2020,wow chicagoscanner like i said chicago loves trump. trump donation map. trump bidencrimefamiily bidenharris2020landslide maga2020landslidevictory,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n484,10/21/2020,wow\xe2\x80\xbc\xef\xb8\x8f barackobama is 1000% the man that trump wishes he could be. even as a former potus he is exponentially more presidential than trump has ever been. vote bidenharris,United States of America,California,CA,Donald Trump,1,0.5\r\n485,10/21/2020,xraydeb1 russjosephs we have to come togetherafter this election or someone worse than trump will get in... remember at the end of the day trump is  a narcisstic democrat from ny who wants love...and mo money that is why he became president,United States of America,New York,NY,Donald Trump,0,-0.8\r\n486,10/21/2020,y'all trump's dancing has now become a thing. he walks a little way away from the podium when the music starts then stands there and waits for the beat to start and then does his little dance and *then* he wanders around clapping for himself and dancing at the crowd.,United States of America,Oregon,OR,Donald Trump,0,-0.1\r\n487,10/21/2020,yay \xf0\x9f\x92\x99\xf0\x9f\xa4\x97\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trump vote,United States of America,Texas,TX,Donald Trump,1,0.2\r\n488,10/21/2020,yep. trump,United States of America,Indiana,IN,Donald Trump,2,0\r\n489,10/21/2020,you can tell stephen miller has been playing with the trump stump speech. the word plunder is popping up waaaaay too much. and words like thunderous get shoved into places they should never be shoved.,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n490,10/21/2020,you\xe2\x80\x99re fired donnyboy realdonaldtrump trump is done - just bad history,United States of America,New York,NY,Donald Trump,0,-0.8\r\n491,10/21/2020,\xe2\x80\x9cas he raises questions about his opponent\xe2\x80\x99s standing with china president trump\xe2\x80\x99s taxes reveal details about his own activities there including a previously unknown bank account.\xe2\x80\x9d trump votebidenharris,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n492,10/21/2020,\xe2\x80\x9ci don\xe2\x80\x99t like trump but the way i\xe2\x80\x99m thinking the future is if biden wins it\xe2\x80\x99ll be like el salvador but if trump wins it\xe2\x80\x99ll some what go back to normal\xe2\x80\x9d trump vote biden,United States of America,Texas,TX,Donald Trump,2,0\r\n493,10/21/2020,\xe2\x80\x9ctalking to biden is like talking to a friend.\xe2\x80\x9d she doesn\xe2\x80\x99t want to talk to trump his words wouldn\xe2\x80\x99t be genuine so they wouldn\xe2\x80\x99t mean a thing... votebluetoendthisnightmare votelikeyourlifedependsonit vote voteblue,United States of America,North Carolina,NC,Donald Trump,2,0\r\n494,10/21/2020,\xe2\x80\x9cwe as a party support our president. we want him to win but on the other hand \xe2\x80\x94 if i put trump signs up in the window it\xe2\x80\x99s a trigger for some people. we don\xe2\x80\x99t want that.\xe2\x80\x9d the ct gop is hiding their support for a toxic president so you don't get triggered. don't fall for it,United States of America,California,CA,Donald Trump,0,-0.5\r\n495,10/21/2020,\xe2\x80\x9cwhat separates us from the animals what separates us from the chaos is our ability to mourn people we\xe2\x80\x99ve never met.\xe2\x80\x9d -david levithan empathy love kindnessmatters bidenharris2020 bidenharris trumpisaracist trumpisnotamerica trumpisacoward trump trumplied200kdied,United States of America,California,CA,Donald Trump,1,0.1\r\n496,10/21/2020,\xf0\x9f\x90\x98the elephant in the room. today's cartoon by pkuperart   support satire buy a subscription to weekly humorist  cartoons trump election2020 vote voteoutthevirus,United States of America,New York,NY,Donald Trump,0,-0.1\r\n497,10/21/2020,\xf0\x9f\x91\x87\xf0\x9f\x8f\xbctrump\xe2\x80\x99s blank book.,United States of America,California,CA,Donald Trump,0,-0.4\r\n498,10/21/2020,\xf0\x9f\x91\x89\xf0\x9f\x8f\xbd johncornyn tedcruz texans need economic relief now. are you going to tell mitchmcconnell and donaldtrump we need help now caresact,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n499,10/21/2020,\xf0\x9f\x91\x8arepublicans are you listening\xe2\x81\x89\xef\xb8\x8f draintheswamp\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 criminal crimefamily news traitor traitortrump moscow moscowmitch bannon prizon resit divorcetrump trump joebiden biddenharris2020 randyrainbow \xe2\x80\x9cyou cannot handle the truth\xe2\x80\x9d oh that criminal joe biden \xf0\x9f\x9a\xab,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n500,10/21/2020,\xf0\x9f\x91\xb6 \xf0\x9f\x8d\xbc baby needs a nap.  trump vote,United States of America,Ohio,OH,Donald Trump,2,0\r\n501,10/21/2020,\xf0\x9f\x93\xb7 i support trump i pray to sing at the white house. praying for 4 more years realdonaldtrump at the great american revival,United States of America,California,CA,Donald Trump,1,0.5\r\n502,10/21/2020,\xf0\x9f\x98\x82 obamawasbetterateverything trumpchinabankaccount trump trumpcrimefamily,United States of America,Texas,TX,Donald Trump,1,0.1\r\n503,10/21/2020,\xf0\x9f\x98\xb3dafuuuck you say. now just switch the names with each other and then you will have the truth acbhearings amycomeybarrett 2020election epstein crookedjoe democratsaredestroyingamerica draintheswamp trump 4moreyears darkmoney abctownhall americafirst america,United States of America,California,CA,Donald Trump,0,-0.1\r\n504,10/21/2020,\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3 muting trump's mic all night,United States of America,Michigan,MI,Donald Trump,2,0\r\n505,10/22/2020,dickie goodman novelty greatest trump trump usa jon goodman mashup realityshow sharkweek dew spacex music comedy spaceforce flyingsaucer ufo nasa babyshark ancientaliens election2020,United States of America,California,CA,Donald Trump,1,0.6\r\n506,10/22/2020,biden trump traitorjoe,United States of America,South Carolina,SC,Donald Trump,2,0\r\n507,10/22/2020,donald trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n508,10/22/2020,donaldtrump immigration ice just announced it will start to deport people more quickly\xe2\x80\x94and without ever seeing a judge,United States of America,Idaho,ID,Donald Trump,0,-0.6\r\n509,10/22/2020,trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n510,10/22/2020,trump dictator workers federalworkers governmentemployees workerrights union,United States of America,New York,NY,Donald Trump,0,-0.5\r\n511,10/22/2020,trump hitler via gifkeyboard,United States of America,Nevada,NV,Donald Trump,2,0\r\n512,10/22/2020,'does hunter want to blow up his dad's campaign' ex-biz partner texts paint damning picture | zero hedge  trump biden,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n513,10/22/2020,'weave me awone weswey i'm just a poor widdle itty bitty pwesident-manbaby and you hurt my feewings i'm weaving' trump 60minutes lesleyrstahl lesliestahl,United States of America,New York,NY,Donald Trump,0,-0.8\r\n514,10/22/2020,- in portland ttwo proud boys jailed on protest-related charges   \xe2\x80\xa6 pdx orpol portlandprotests portlandriots oregon portlandpolice damikeschmidt proudboys trump biden vanwa,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n515,10/22/2020,-eudaly and hardesty vow to cut portlandpolice by $18 million    \xe2\x80\xa6 theportlandtrib oregon portlandprotests portlandriots portland pdx tedwheeler sarahiannarone blm orpol protests trump biden,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n516,10/22/2020,.joebiden\xe2\x80\x99s inner circle say his tax returns \xe2\x80\x94 all of which he has released \xe2\x80\x94 easily disprove the accusations trump will hurl tonight. i know joe; have for 35 years. getting rich was never his thing. he has his flaws for sure but lust for the big score was never one of them.,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n517,10/22/2020,124 million barackobama twitter followers are laughing at you donaldtrump after listening to presidentobama's speech today \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3realdonaldtrump morningjoe,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n518,10/22/2020,2020 presidential election odds ahead of tonight's final debate between president trump and former vice president joe biden.  debates2020 trump bidenharris2020,United States of America,Nevada,NV,Donald Trump,2,0\r\n519,10/22/2020,2020election  i've been sharing for months how awful trump's response to covid19 has been. if he's allowed to continue in office expect many needless additional deaths.,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n520,10/22/2020,36 minutes in trump has about had it. rails against lesleystahl attacks and she replies don't you think you should be accountable to the american people  christmaseveryday 60minutes,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n521,10/22/2020,4.5 hours hours away\xe2\x80\x94 more supporters of president trump and former vice president joe biden are gathering outside belmont. debates2020 debate election vote trump biden potus,United States of America,Tennessee,TN,Donald Trump,0,-0.4\r\n522,10/22/2020,5 things to watch for in the final debate between biden and trump,United States of America,California,CA,Donald Trump,2,0\r\n523,10/22/2020,50cent 50 you got to take these radical left democrats and these radical left voters that are threatening you to vote their way you got to take him back too many men take them back to the album show no fear trump 20/20,United States of America,New York,NY,Donald Trump,0,-0.8\r\n524,10/22/2020,50cent many man wish  upon me don't look to the sky no moretrump 20/20\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x97\xbd\xf0\x9f\x92\xaa,United States of America,New York,NY,Donald Trump,1,0.2\r\n525,10/22/2020,56% of u.s. voters say trump does not deserve reelection  the other 44% need cult45 gop republican qanon deprogramming efforts to rid themselves of their cluelessness and foolishness.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n526,10/22/2020,a group representing governors of us states has urged president donaldtrump and the federal government to draft a comprehensive plan for the distribution of a coronavirus vaccine when one is approved.,United States of America,New York,NY,Donald Trump,2,0\r\n527,10/22/2020,a pic of suicide rates per state... so blue states contribute more on federal dollars and have lower suicide rates but are shit holes to live in  that\xe2\x80\x99s weird.  trumpisnotamerica usafacts trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n528,10/22/2020,a stagehand looks over the plexiglass barriers as finishing touches are completed for the final presidential debate with realdonaldtrump and joebiden at belmont university. trump joebiden debate campaign,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n529,10/22/2020,a vote against trump is a vote for healthcare. all he had done in the last 4 years is try to take your insurance coverage away. votelikeyourlifedependsonit because it does,United States of America,Virginia,VA,Donald Trump,0,-0.2\r\n530,10/22/2020,abc7news potus realdonaldtrump joebiden hmmmm what about trump\xe2\x80\x99s unqualified family with security clearances chinese bank account paying $180k+ in taxes to china but only $750 to us china giving ivanka copyrights and djt turning around and protecting zte,United States of America,Virginia,VA,Donald Trump,0,-0.8\r\n531,10/22/2020,aca trump,United States of America,Washington,WA,Donald Trump,2,0\r\n532,10/22/2020,after obama called trump's presidency a failure trump has hit back at the former potus.,United States of America,California,CA,Donald Trump,0,-0.6\r\n533,10/22/2020,again with the two hands needing to guide a light glass of water.  odd.  60minutes 60minutes donaldtrump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n534,10/22/2020,ah the clintons who palled around with trump not so many years ago.  both clintons and trump knew epstein well.  corruption rife in american politics political culture,United States of America,California,CA,Donald Trump,0,-0.1\r\n535,10/22/2020,alivitali arrives belmont university for final debate  via youtube alivitali donaldtrump joebiden presidentialdebates,United States of America,New York,NY,Donald Trump,2,0\r\n536,10/22/2020,alright. we're making all the things different things again. all we have left is some trump dancing and clapping for himself and then we'll be done.,United States of America,Oregon,OR,Donald Trump,2,0\r\n537,10/22/2020,america in less than 4 years this country has gone from being a leader in the world to becoming the biggest laughingstock of the world. you know why because of trump. the man is a buffoon and everyone else knows it except for his base. that's why he can't get another term.,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n538,10/22/2020,ananavarro another october surprise about the trump crime family,United States of America,California,CA,Donald Trump,0,-0.1\r\n539,10/22/2020,and communists.  trump biden,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n540,10/22/2020,and today we apologize to the world for trump - kids in cages abandoned kurds paris agmt nuclear arms agrmt who .. so much more. projectlincoln trumpisanationaldisgrace votebidenharristosaveamerica,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n541,10/22/2020,and trump in his tan and pence with his fly had just settled down for a long winter\xe2\x80\x99s nap and we mean long sleepytrump fly2020 flyonpence belmontdebate2020,United States of America,Washington,WA,Donald Trump,1,0.1\r\n542,10/22/2020,angellaverna13 nesestiller realdonaldtrump only pathetic trump voters will cheer for you as you insult them. trump is basically saying to their face this is a shitty backwater i\xe2\x80\x99d typically never set foot in. but i need you blue-collar suckers to show up for me again. and they're still cheering.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n543,10/22/2020,another great cartoon from paul_lander and cartoonydan cartoon 2020 presidential bingo endorsements humor comedy politics trump funny humoroutcasts,United States of America,Pennsylvania,PA,Donald Trump,1,0.8\r\n544,10/22/2020,another realityshow move from trump what a joke ... the 3rd firing of fbi director trumpisanationaldisgrace votetrumpout,United States of America,New York,NY,Donald Trump,0,-0.8\r\n545,10/22/2020,another trump rape victim in courttrump rapist courtroom showdown in trump defamation  case fizzles for trump lawyers trump elections lawsuit debates senador senate tedcruz scotus johnleguizamo pelosi amycomeybarrett,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n546,10/22/2020,are people actually that dumb they are buying the twitter password hack story i mean it\xe2\x80\x99s twitter and the fake news media i mean c\xe2\x80\x99mon \xf0\x9f\xa4\xb7\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8ftrump,United States of America,California,CA,Donald Trump,0,-0.8\r\n547,10/22/2020,area51field 60minutes youtube leslie stahl is an amazing respected journalist who fact-checked the trump lies in real time.,United States of America,Illinois,IL,Donald Trump,1,0.8\r\n548,10/22/2020,atrupar reminder of just how awful the trump family is.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n549,10/22/2020,awesome trump,United States of America,Texas,TX,Donald Trump,1,0.9\r\n550,10/22/2020,aww. did trump get asked a scary question,United States of America,New York,NY,Donald Trump,0,-0.1\r\n551,10/22/2020,barnettforaz cbsnews lol trump got neutered and everyone\xe2\x80\x99s going to see it.,United States of America,Arizona,AZ,Donald Trump,1,0.4\r\n552,10/22/2020,be the change trump trump2020 trumpchinabankaccount trumpisnotwell trump2020tosaveamerica maga maga2020landslidevictory,United States of America,District of Columbia,DC,Donald Trump,1,0.2\r\n553,10/22/2020,bereal the only anarchistjurisdiction in usa is trump and gop. under their watch uprisings across the country in protest of the apathy and ineptness from trumpadministration ... votetrumpout2020 votebidenharristosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.1\r\n554,10/22/2020,best way for donaldtrump to be credible on accusing joebiden of corruption is to make his own income taxreturn &amp; business deals public. otherwise it is hypocritic pre-election propaganda. hunterbiden rudygiuliani hunterbidenemails foxnews,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n555,10/22/2020,biden has been doing from the beginning what realdonaldtrump\xe2\x81\xa9\xe2\x80\x99s right-hand man chris christie says now trump\xe2\x80\x99s been mocking biden for wearing mask for months when average person gets sick she might not get a treatment even close to christie\xe2\x80\x99s,United States of America,California,CA,Donald Trump,0,-0.7\r\n556,10/22/2020,biden is so weak he\xe2\x80\x99s been mia since monday having democratic lap dogs and the media do his bidding for him. realdonaldtrump has been to 4 states in 3 days. i want a president who has the energy to lead the country. not a low energy basement gremlin biden trump election2020,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n557,10/22/2020,biden trump,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n558,10/22/2020,billybangu2 does trump even realize he\xe2\x80\x99s being used by moscowmitch &amp; the gopcomplicittraitors obamawasbetterateverything,United States of America,Michigan,MI,Donald Trump,0,-0.3\r\n559,10/22/2020,blacktwitter blm. this what the trump will try to make the debates2020 about. shots everytime he says hunter or yourson,United States of America,Louisiana,LA,Donald Trump,2,0\r\n560,10/22/2020,blacktwitter my thoughts on the trump celebs.,United States of America,Louisiana,LA,Donald Trump,1,0.4\r\n561,10/22/2020,breaking a senior trump administration official says fbi director christopherwray will likely exit immediately after the november 3rd election no official word from thejusticedept or fbi.,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n562,10/22/2020,breakingnews millions of americans outraged at netflix over thewestwing. theboogalooboys &amp; qanon plan protest at netflix hq. threaten a sea of maga hats to burn hq to ground unless anti-trump fakenews series removed. police brace for riots. icecube main speaker.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n563,10/22/2020,can you imagine 45 doing this even with his own son trump dumptrump election2020,United States of America,New York,NY,Donald Trump,0,-0.5\r\n564,10/22/2020,can\xe2\x80\x99t wait for the debate tonight where trump will show just how small a man he is compared to biden,United States of America,Michigan,MI,Donald Trump,1,0.2\r\n565,10/22/2020,can\xe2\x80\x99t wait for trump &amp; thebigguy tonight. presidentialdebate2020,United States of America,New York,NY,Donald Trump,1,0.6\r\n566,10/22/2020,caroleradziwill tiktok_us don\xe2\x80\x99t count on it kaga2020 4moreyears trump trump2020landslide,United States of America,New York,NY,Donald Trump,0,-0.7\r\n567,10/22/2020,catturd2 i hope. since *i* lost last time i didnt vote for her but i was a brainwashed dem i can\xe2\x80\x99t confidently say we\xe2\x80\x99re winning till i see it. but you\xe2\x80\x99re welcome to say it for me \xf0\x9f\x99\x83 trump maga,United States of America,Texas,TX,Donald Trump,1,0.2\r\n568,10/22/2020,cbs shouldn't wait to release the trump interview opinion - cnn media newsmedia trump tvnews lesleystahl \xe2\x81\xa6cbsnews\xe2\x81\xa9 \xe2\x81\xa660minutes\xe2\x81\xa9,United States of America,New York,NY,Donald Trump,0,-0.6\r\n569,10/22/2020,cbsnews 60minutes i expected better from you viacomcbs. trump,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n570,10/22/2020,celebs backing trump include jonvoight jameswoods leegreenwood 50cent kirstiealley robertdavi davidmamet traceadkins scottbaio...,United States of America,Ohio,OH,Donald Trump,2,0\r\n571,10/22/2020,charliebrown thegreatpumpkin trump halloween,United States of America,California,CA,Donald Trump,1,0.2\r\n572,10/22/2020,christopherwray and johnradcliffe say the voter intimidation emails were received by democrats from iran. i ask why iran would want trump to win when he had soleimani killed it seems to me iran would want trump out. i can see russian interference yes...,United States of America,New York,NY,Donald Trump,0,-0.3\r\n573,10/22/2020,chuckwoolery in fact trump is such a disgrace. he pays taxes everywhere except unitedstates but talks about americafirst noooo it is americaortrump,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n574,10/22/2020,citizenwonk ...and trump threatened to publish this before cbs  moronic doesn't even begin to define this behavior....,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n575,10/22/2020,cnn a god dmn devil \xf0\x9f\x91\xbf vote for trump  i don\xe2\x80\x99t want to be 5 cents  vote trump 2020election votelikeyourlifedependsonit cnn trump biden,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n576,10/22/2020,cnn realdonaldtrump hey joe biden why ya been hiding song    repost and may the lord look over you foxnews la sandiego sanfrancisco dobbs seattle portland ca la detroit seattle beer snl fl pa ca mi pa ny trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n577,10/22/2020,cnn realdonaldtrump hey joe biden why ya been hiding song    repost and may the lord look over you foxnews la sandiego sanfrancisco dobbs seattle portland ca la detroit seattle beer snl fl pa ca mi pa ny trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n578,10/22/2020,cnn realdonaldtrump hey joe biden why ya been hiding song    repost and may the lord look over you foxnews la sandiego sanfrancisco dobbs seattle portland ca la detroit seattle beer snl fl pa ca mi pa ny trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n579,10/22/2020,cnn they literally have no idea what the hell they are doing on anything. trump\xe2\x80\x99s only ideology is his own self interest. whatever sounds good or he thinks make him look good changes from second to second. trump afghanistan vote,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n580,10/22/2020,cocainecon trump trumpisacriminal,United States of America,California,CA,Donald Trump,2,0\r\n581,10/22/2020,colorado voteearly vote2020 vote don't vote for this chick.  she's a thug a female trump.  uscongressionaldistrict3 pueblo,United States of America,Colorado,CO,Donald Trump,0,-0.3\r\n582,10/22/2020,comedians politicians and criminals - always figuring out the margins outlines possibilities and verbotens for the rest of us and so performing true public service. social outlines are dynamic and ever changing. as such opportunism is the true ruler of the universe. trump,United States of America,Oregon,OR,Donald Trump,1,0.3\r\n583,10/22/2020,commentary trump missed an opportunity in syria to succeed where obama failed,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n584,10/22/2020,connieschultz undercontrolmov sensherrodbrown watching as well. anyone voting for trump needs to see what he and his administration didn\xe2\x80\x99t do to save and help americans. the virus isn\xe2\x80\x99t there fault. but the response 100% is.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n585,10/22/2020,coronavirus update u.s. death toll tops 222000 and president trump criticizes media for constant coverage of crisis whitehouse potus trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n586,10/22/2020,corruption trump egypt bribe,United States of America,California,CA,Donald Trump,0,-0.7\r\n587,10/22/2020,countryoverparty  trump must go,United States of America,Illinois,IL,Donald Trump,1,0.5\r\n588,10/22/2020,covid19 maga trump,United States of America,Washington,WA,Donald Trump,2,0\r\n589,10/22/2020,crazy a-- trump supporter smh realdonaldtrump empowers hatred and violence blacklivesmatter votebidenharris2020 bluewave2020 flipthesenateblue trumpsfinepeople finepeople maga magats trumpliesamericansdie trumpsamerica trumpisanationaldisgrace,United States of America,New York,NY,Donald Trump,0,-0.8\r\n590,10/22/2020,creepyjoebiden living up to his trump nickname.,United States of America,Florida,FL,Donald Trump,2,0\r\n591,10/22/2020,dailycaller ron johnson has gone cuckoo. lost in conspiracy theory world. and he\xe2\x80\x99s the chairman of the senate homeland security committee. \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f trump ronjohnson gop,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n592,10/22/2020,davidbrodycbn joebiden realdonaldtrump you mean \xe2\x80\x9cspew hate and conspiracy theories\xe2\x80\x9d don\xe2\x80\x99t you trump\xe2\x80\x99s rallies are not a campaign as he has no plans and his pathetic whiney grievances are boring everyone even those paid to be there.,United States of America,Hawaii,HI,Donald Trump,0,-0.9\r\n593,10/22/2020,davidfrum a fool needs no help making a fool of himself mr. frum trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n594,10/22/2020,dbongino biden is a security threat trump hunter biden,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n595,10/22/2020,deadlinewh  trump needs to change his name to fit with his supremacist groups. try this on for sizefirst name isis last name mcveigh.\xf0\x9f\x98\xb1,United States of America,New York,NY,Donald Trump,0,-0.5\r\n596,10/22/2020,debate final trump-biden la \xc3\xbaltima oportunidad de cambiar la carrera presidencial bide trump,United States of America,Florida,FL,Donald Trump,1,0.1\r\n597,10/22/2020,debate trump mic mute dumptrump bidenharris2020,United States of America,New York,NY,Donald Trump,2,0\r\n598,10/22/2020,debates2020 trump biden drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drink drinkresponsibly,United States of America,Pennsylvania,PA,Donald Trump,1,0.3\r\n599,10/22/2020,did trump really get covid19 kellyannepolls business jenniferjjacobs trumpcovidhoax,United States of America,Virginia,VA,Donald Trump,0,-0.4\r\n600,10/22/2020,disappointing an estimated 331 million people in the united states and these 2 clowns were the best our country could come up with donaldtrump joebiden election2020 smh,United States of America,Arizona,AZ,Donald Trump,0,-0.8\r\n601,10/22/2020,do i believe in america yes. do i know what it's like to fight for america yes. but i guarantee you 75% of the ones that are voting for biden never served. we are in that century of the kids were there parents refused to join the military cause they have no spines. trump,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n602,10/22/2020,do we really want to be realdonaldtrump\xe2\x80\x99s next wall promise. even if you don\xe2\x80\x99t trust joebiden he won\xe2\x80\x99t break every promise. trump will. icecube rolandsmartin drboycewatkins1 kamalaharris barackobama,United States of America,New York,NY,Donald Trump,2,0\r\n603,10/22/2020,doing the giuliani ... for all those hardcore fabulous proudboys &amp; trump supporters. gotham,United States of America,Idaho,ID,Donald Trump,1,0.4\r\n604,10/22/2020,donald remember to talk about china bank accounts sons of candidates don jr. and media bias fox news. mrsubliminal trump,United States of America,California,CA,Donald Trump,0,-0.3\r\n605,10/22/2020,donaldjtrumpjr  i have been hard on you. &amp; i have been frustrated back in 80\xe2\x80\x99s my father reminded me of yours. sociopath. no cure &amp;  if i where you start keeping records &amp; get therapy so you can fix his mistake donaldtrump,United States of America,Massachusetts,MA,Donald Trump,0,-0.3\r\n606,10/22/2020,donaldjtrumpjr for shit\xe2\x80\x99s sake make up your mind about which conspiracytheory you\xe2\x80\x99re going to use \xf0\x9f\x99\x84\xf0\x9f\x99\x84\xf0\x9f\x99\x84 enemyofthepeople 25thamendment americaortrump batshitcrazy bluewave2020 crimesagainsthumanity cult45 donaldtrump lincolnproject moroninchief,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n607,10/22/2020,donaldjtrumpjr the only thing your father loves about you is your name. trump maga trump2020 love bidenharris,United States of America,Georgia,GA,Donald Trump,1,0.5\r\n608,10/22/2020,donaldjtrumpjr the only thing your father loves about you is your name. trump maga trump2020 love bidenharris,United States of America,Georgia,GA,Donald Trump,1,0.5\r\n609,10/22/2020,donaldtrump criminal,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n610,10/22/2020,donaldtrump is a disgusting human. i won\xe2\x80\x99t argue this fact. all you trumpers can believe in the crazy myth that he cares about america and you but the fact is he\xe2\x80\x99s doesn\xe2\x80\x99t and he is a disgusting human. vote voteearly votehimout2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n611,10/22/2020,donaldtrump trumpcrimefamily,United States of America,New York,NY,Donald Trump,1,0.3\r\n612,10/22/2020,donaldtrump was clearly unhinged from the getgo.  the man is in serious need of mental treatment.  he's in a spiraling downward meltdown.  and he lies about the gov. of michigan,United States of America,New York,NY,Donald Trump,0,-0.7\r\n613,10/22/2020,donwinslow after years of biting his tongue today obama was rocky rolling off the ropes and knocking out charlatan trump. what an epic roast votehimout,United States of America,Massachusetts,MA,Donald Trump,1,0.2\r\n614,10/22/2020,dremilyportermd but i thought realdonaldtrump said coronavirus is going away and it\xe2\x80\x99s not something we have to worry about surely trump was not telling us lies.....,United States of America,California,CA,Donald Trump,0,-0.6\r\n615,10/22/2020,dude i\xe2\x80\x99m taking a shit this morning and the first thing that came to my mind was yo oh fuck what if covid 19 can spread thru sitting on toilets \xf0\x9f\x9a\xbd now i\xe2\x80\x99m hovering and bring plastic wrap with me every where stage 5 of covid ain\xe2\x80\x99t getting me sucka covid19 c4lockdowndebate trump,United States of America,Massachusetts,MA,Donald Trump,0,-0.8\r\n616,10/22/2020,election 2020 what should the banking industry expect from biden or trump election banking,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n617,10/22/2020,election2020 matters. hear from experts duyeonkim victordcha &amp; ambstephens on trump vs biden plans for southkorea &amp; northkorea. parkjeannie koreans4biden markkeam korea ewinstitute hyepin juparkesq koreantravel kpolicyo kadcsays korea biden,United States of America,California,CA,Donald Trump,1,0.1\r\n618,10/22/2020,elizabethbanks trump 20/20,United States of America,New York,NY,Donald Trump,1,0.3\r\n619,10/22/2020,epwvlaw karenbuc1 cspanwj cspanwj  my thoughts the dni now part of russian disinformation along with trump and giuliani. i believe the laptop is not hunter's and/or that its contents are manipulated. see thread,United States of America,Nevada,NV,Donald Trump,0,-0.4\r\n620,10/22/2020,erictrump realdonaldtrump ....for killing more people with his rallies.  yeah good job  i\xe2\x80\x99ll bet herman cain is proud too. trumpcovid19 trump trumpkillsamericans,United States of America,New Hampshire,NH,Donald Trump,1,0.2\r\n621,10/22/2020,even if unlikely.. trump never got those funds paid back if he can easily afford it... $10m seems a fair enough price tag even on the low end to give the race one's best shot to win the presidency. can make it back with books speaking tours etc. after one's term's up,United States of America,California,CA,Donald Trump,0,-0.2\r\n622,10/22/2020,executivebuying i dont know about later. but trump is a bully  sorry . for eg. he cannot fathom that when he interrupts biden  his inborn stutter is more pronounced and inhibits him,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n623,10/22/2020,expect this to happen also with the presidential race in the last week. the democats will panic big  realdonaldtrump is unstoppable and undefeatable  maga trump2020 americafirst winner trump vote for potus republicans democrats election2020 usa,United States of America,Alabama,AL,Donald Trump,0,-0.1\r\n624,10/22/2020,f em all  votethemallout2020 they are not above the law  trump sucks rhino balls,United States of America,New York,NY,Donald Trump,0,-0.8\r\n625,10/22/2020,fairmountain gregmolidor we've had 5 years of this nonsense and people -- and the msm -- see through trump. he's a hollow man who shrinks by the day. he acts as if hunter biden is running for office. to allow trump to frame the debate with nonsense and to respond to it in kind is a fool's game.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n626,10/22/2020,family values voter can you honestly tell yourself it's consistent w your moral values to support a president who separates children from their parents and lost track of the parents of 545 of these youngsters trump2020 bidenharris2020 trump election2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n627,10/22/2020,fbi and doj all said it is not russian disinformation that boy hunter was pimping his dad that\xe2\x80\x99s facts 2020election trump biden debatetonight,United States of America,California,CA,Donald Trump,0,-0.7\r\n628,10/22/2020,fellow democrats in 2 weeks when the votes have been tallied &amp; joebiden is the president elect after trump and his thugs throw their temper tantrum and continue to salt the earth with super spreader rallies and refusal to wear masks we are going to have to get to work. 1/,United States of America,Michigan,MI,Donald Trump,0,-0.6\r\n629,10/22/2020,filltheseatnow  we'll need a full scotus after democrats challenge donaldtrump 's landslide victory,United States of America,Pennsylvania,PA,Donald Trump,1,0.2\r\n630,10/22/2020,finally listening to barackobama from today and i just want to cry. no matter which way the election goes it seems some insist on violence and that terrifies me. how do we fix things vote voteblue2020 bidenharris2020 get trump out,United States of America,California,CA,Donald Trump,0,-0.3\r\n631,10/22/2020,finnygo yamiche cbsnews it wouldn't be the first time trump reneged on an agreement. just ask his creditors. trumplies trumpcheats trumpisanationaldisgrace,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n632,10/22/2020,florida_today please report that this email was sent by iran because they hate trump so much and cnn said we know who sent it because they were so bad at hiding where the email originated from.,United States of America,Michigan,MI,Donald Trump,0,-0.7\r\n633,10/22/2020,forbes silly childish games\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\x99\x84 trump needs to win to get u real scumbag outta here\xf0\x9f\x92\xaf,United States of America,Hawaii,HI,Donald Trump,0,-0.8\r\n634,10/22/2020,fox32news according to dni_ratcliffe with no evidence and not backed up by the fbi the proud boys emails are meant to harm trump by telling democrats to vote for him.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n635,10/22/2020,from all us sea turtles trump...fuck you,United States of America,Colorado,CO,Donald Trump,0,-0.9\r\n636,10/22/2020,fuck you donald j trump for making a mess of covid. cant visit relatives at hospital who was shot. fuck yall trump supporters. fuck you electoral college. fuck yall illegal gun holders. fuck officials who wont. support tougher gun laws,United States of America,Georgia,GA,Donald Trump,0,-0.7\r\n637,10/22/2020,full coverage of the final presidential debate between trump &amp; biden can be heard on wbhp. coverage starts at 705pm with the debate beginning at 805pm listen here --&gt;,United States of America,Alabama,AL,Donald Trump,2,0\r\n638,10/22/2020,full coverage of the final presidential debate between trump &amp; biden can be heard on wbhp. coverage starts at 705pm with the debate beginning at 805pm listen here --&gt;,United States of America,Alabama,AL,Donald Trump,2,0\r\n639,10/22/2020,funny no celebrity worth anything likes donaldtrump and who could blame them. \xf0\x9f\xa4\xa3 he\xe2\x80\x99s a jerk and ruining america \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 go bidenharris2020,United States of America,New York,NY,Donald Trump,0,-0.8\r\n640,10/22/2020,getting ready for tv interview today thursday live tunein ahoraoscarhaza 8pm  donaldtrump joebiden debates2020 election decisions florida vote republican  democrats thursdaythoughts,United States of America,Florida,FL,Donald Trump,2,0\r\n641,10/22/2020,ghislaine maxwell 2016 deposition transcripts released court order. link provided for reader to asses transcript vice listening to interpretation of facts.   biden trump trending technews positions politics fbi factcheck dynamite  usa,United States of America,California,CA,Donald Trump,0,-0.2\r\n642,10/22/2020,ghislaine maxwell and jefferyepstein are utter scum along with their rich friends trump  prince andrew et al. disgusting perverted scum preying on vulnerable minors.  white toxic male privilege. wan to vote for trump  don't vote for a sexual pervert.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n643,10/22/2020,given links between trump &amp; russian 'models'/child trafficking you'd be stupid to think russia hasn't got blackmail on him. opdeatheaters,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n644,10/22/2020,given what trump has done to iran and the heartless additional pain he inflicts during the pandemic  iran's behavior not surprising.,United States of America,Maryland,MD,Donald Trump,0,-0.8\r\n645,10/22/2020,global stocks slide as progress on stimulus stalls with just two weeks to go to the us election government trump whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n646,10/22/2020,gop realdonaldtrump china owns trump and family trumpiscompromised trumpcrimefamily bidenharristosaveamerica,United States of America,California,CA,Donald Trump,1,0.1\r\n647,10/22/2020,gop you mean like the incredible deficits the last 2 gop presidents created clinton balanced the budget &amp; obama cut the deficit by more than half through a depression. meanwhile trump has tripled the deficit.  democrats are the party of fiscal conservatism not the gop dumptrump,United States of America,Minnesota,MN,Donald Trump,0,-0.3\r\n648,10/22/2020,gottalaff cnn realdonaldtrump hey joe biden why ya been hiding song    repost  foxnews la sandiego sanfrancisco dobbs seattle portland ca la detroit seattle beer snl fl pa ca mi pa ny trump,United States of America,California,CA,Donald Trump,0,-0.5\r\n649,10/22/2020,grateful for small things mitt romney says he didn\xe2\x80\x99t vote for donaldtrump but the utah senator wouldn\xe2\x80\x99t reveal who he did vote for. huffpost,United States of America,New York,NY,Donald Trump,2,0\r\n650,10/22/2020,haha this is great hodgetwins \xf0\x9f\x91\x8f\xf0\x9f\x91\x8f\xf0\x9f\x91\x8f kamalaharris donaldtrump realdonaldtrump trump2020 silentmajority hidenbiden presidenttrump maga,United States of America,New York,NY,Donald Trump,1,0.9\r\n651,10/22/2020,he's not only a great guy; he's our great president - and doing a great job as potus along with his excellent vp &amp; cabinet &amp; whitehouse staff and entire trump family \xe2\x80\xbc\xef\xb8\x8f \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 everybody votes\xf0\x9f\x9f\xaa\xf0\x9f\x9f\xa6\xf0\x9f\x9f\xa9\xf0\x9f\x9f\xa8\xf0\x9f\x9f\xa7\xf0\x9f\x9f\xa5\xf0\x9f\x9f\xab\xe2\x98\x91\xef\xb8\x8f for the gop 2020,United States of America,Oregon,OR,Donald Trump,1,0.8\r\n652,10/22/2020,hearing in rape claim defamation case against trump called off.  trump uses the pandemic to ignore raps charges against him. ncgop \xe2\x81\xa6senthomtillis\xe2\x81\xa9 \xe2\x81\xa6reptedbudd\xe2\x81\xa9 \xe2\x81\xa6virginiafoxx\xe2\x81\xa9 \xe2\x81\xa6danforestnc\xe2\x81\xa9 \xe2\x81\xa6ltgovdanforest\xe2\x81\xa9 ncga ncpol,United States of America,North Carolina,NC,Donald Trump,0,-0.3\r\n653,10/22/2020,help me here how can black people criticize donaldtrump for racial insensitivity yet give joebiden &amp; kamalaharris a go pass on the 1994 crime bill and prosecuting hundreds of non-violent minorities huge double standard,United States of America,Connecticut,CT,Donald Trump,0,-0.5\r\n654,10/22/2020,hey you potus trump obama has a bigger crowd by millions trump2020 hillaryemails trump2020landslide obama obamaphiladelphia,United States of America,New York,NY,Donald Trump,0,-0.3\r\n655,10/22/2020,hope you join our uninoticias univisionnews team for this final presidential debate of 2020 destino2020 debates2020 debatepresidencial biden trump destiny2020 univision unipolitica unews uninoticias,United States of America,Florida,FL,Donald Trump,1,0.2\r\n656,10/22/2020,hopeoverfear2 oh please spare me leftist. i am a suburban woman. i am gay and i am voting trump,United States of America,Arizona,AZ,Donald Trump,0,-0.2\r\n657,10/22/2020,hours away from the final presidentialdebate &amp; just days away from election2020 here's a preview from our political panel tarasetmayer &amp; jess_mc on what to expect from pres. trump &amp; joebiden when the debate gets underway,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n658,10/22/2020,how come realdonaldtrump you\xe2\x80\x99re not tossing this cup across the room 60minutesinterview trump debates2020,United States of America,Texas,TX,Donald Trump,2,0\r\n659,10/22/2020,how sad that those who are voting for trump know what a monster he is and wouldn't want him in their house for dinner but they want to protect their wallets and whiteness,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n660,10/22/2020,how will the trump biden debate unfold tomorrow,United States of America,Minnesota,MN,Donald Trump,2,0\r\n661,10/22/2020,hunter biz partner confirms e-mail details joe biden's push to make millions from china goodwin  via nypost hunterbiden qanon maga trump trump2020landslide,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n662,10/22/2020,hunterbiden joebiden donaldtrump,United States of America,North Carolina,NC,Donald Trump,1,0.3\r\n663,10/22/2020,hunterbiden was in a car accident that killed his mother and sister. he\xe2\x80\x99s had addiction problems and gotten treatment. donaldtrump is the way he is because his brother dumped mashed potatoes on his head. now we\xe2\x80\x99re all in therapy. votehimout maryltrump,United States of America,California,CA,Donald Trump,0,-0.1\r\n664,10/22/2020,hunters \xe2\x80\x9demail gate\xe2\x80\x9d story is gas-lit by the establishment propaganda machine made of main stream media social media platforms and politicians. part 2 of 2 biden trump demandbetter  elections2020 trending technology technews interborussia politics russiagate vote,United States of America,California,CA,Donald Trump,0,-0.3\r\n665,10/22/2020,i bet hardcore trump covidiots believe that chocolate milk comes from rare chocolate cows,United States of America,California,CA,Donald Trump,2,0\r\n666,10/22/2020,i certainly hope trump acts like the biggest jerk and jackass tonight debates2020 so once again america can really see more of who this unhinged man really is  thereidout,United States of America,District of Columbia,DC,Donald Trump,0,-0.9\r\n667,10/22/2020,i dunno maybe it\xe2\x80\x99s unfair but the name \xe2\x80\x9ctony bobulinski\xe2\x80\x9d is too hollywood-perfect gamey. should hunter biden have been hanging with him beside the point. it has nothing to do with the issues in or urgency of this election \xe2\x80\x94 or trump\xe2\x80\x99s massive private and public corruption.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n668,10/22/2020,i fully expect trump to be over the top tonight. he\xe2\x80\x99s going full blown crazy tonight. book it.,United States of America,Ohio,OH,Donald Trump,1,0.1\r\n669,10/22/2020,i think everyone should watch this version of the 60minutes interview despite its flagrant violation of protocol to see how thin-skinned trump is and unable to handle the simplest of questions,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n670,10/22/2020,i truly think trump could tweet out that he wants to literally kill minorities and conservatives would still support him. it\xe2\x80\x99s sad and terrifying. trump biden220,United States of America,North Carolina,NC,Donald Trump,0,-0.5\r\n671,10/22/2020,i watched the interview &amp; cbsnews &amp; 60minutes should be ashamed of the flacking leslie stahl did for joebiden &amp; his son hunter. her complete disinterest in kickbacks by foreign companies to then vp biden &amp; saying trump's campaign was not spied on by the obama admin. shocking,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n672,10/22/2020,i wish i could sit w a straight face like morningmika joenbc who's trying to call out others for supporting  trump when morningjoe supported trashed hillary clinton &amp; gave trump 2yrs of free airtime but yea do tell how everyone else are idiots votebluetosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.7\r\n673,10/22/2020,i wish the presidentialdebate2020 biden and trump didn't know ahead of time what the issues are that would be discussed in the debatenight. but if you had to include issues if i were the debates i would have argued for what is the future of socialsecurity,United States of America,California,CA,Donald Trump,0,-0.6\r\n674,10/22/2020,i'm a registered independent and yes i know election s are rigged. however even a skeptic like me can be shocked by the blatant media spin obama bidenharris2020 trump o.o,United States of America,California,CA,Donald Trump,0,-0.7\r\n675,10/22/2020,i've been waiting for projectlincoln to focus on 1 of the biggest scumbags in the trump regime. 'tis here,United States of America,Florida,FL,Donald Trump,2,0\r\n676,10/22/2020,i've noticed an interesting trend among my friends. when i ask my protrump friends if they plan on watching the debate tonight they have all said i'm not watching the debates because it's just bulls*%. the moderator is biased against trump. baltimore ravens trump,United States of America,Maryland,MD,Donald Trump,0,-0.1\r\n677,10/22/2020,if after 1/20/21 trump is indicted for crimes he's got a lock on his defense....insanity. he's got 4 years of proof that he's as demented as they come.,United States of America,Arizona,AZ,Donald Trump,0,-0.5\r\n678,10/22/2020,if the photoshopping of icecube &amp; 50cent wasn\xe2\x80\x99t enough evidence of how low a trump will go for a vote and how little they think of a black person\xe2\x80\x99s reasoning behind their vote look at this,United States of America,New York,NY,Donald Trump,0,-0.8\r\n679,10/22/2020,if true this is so funny.  i\xe2\x80\x99m surprised he didn\xe2\x80\x99t use \xe2\x80\x9cpassword\xe2\x80\x9d for his password. lol.  the self- proclaimed genius. trumphack trump,United States of America,New York,NY,Donald Trump,1,0.1\r\n680,10/22/2020,if trump wins again i will be fine w/ being wrong about biden winning bc i had the same bet on hillary back in 2016 &amp; lost it. part of me wants to be wrong bc thedemocrats need to be punched in the mouth &amp; those who sadly may lose their generals as leftists can go indie.,United States of America,California,CA,Donald Trump,0,-0.7\r\n681,10/22/2020,if you are a independent voter are you deaf dumb and blind it's so obvious who to vote for trump trumptrain 4moreyears,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n682,10/22/2020,if you are an on the fence voter please read this factual verified story. it's thursday 10/22/2020 this actually is breaking news biden trump dnc rnc cbsnews 60minutes abcnews,United States of America,Tennessee,TN,Donald Trump,0,-0.1\r\n683,10/22/2020,if you don\xe2\x80\x99t like 50cent endorsing trump cancel that starz subscription and stop drinking his lecheminduroi ; then watch the back pedal...,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n684,10/22/2020,if you have even a shred of decency you should not vote for realdonaldtrump . this is in humane and happened because of the  \xf0\x9f\x8d\x8a \xf0\x9f\x92\xa9 aka donaldtrump . dumptrump2020 vote biddenharris2020,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n685,10/22/2020,in better news we're now in the portion of the trump rally where he forces people to give speeches complimenting him so we all get a bathroom break,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n686,10/22/2020,in northcarolina they will be able to count votes 9 days after the election..but don\xe2\x80\x99t worry everything is above board trump biden  mailinballots,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n687,10/22/2020,ingrahamangle benshapiro quakemedia the more trump talks the better . given the record on their behavior what do you think trump trump2020 trumpvirus maga2020 kag2020 kag maga,United States of America,California,CA,Donald Trump,0,-0.1\r\n688,10/22/2020,ingrahamangle not all democrats are liberals ingrahamangle. more importantly it\xe2\x80\x99s not the governor\xe2\x80\x99s faults\xe2\x80\x94we\xe2\x80\x99ve had zero leadership at the federal level...namely trump and the wh.,United States of America,Nevada,NV,Donald Trump,0,-0.7\r\n689,10/22/2020,ingrahamangle softball questions you mean like the ones hannity throws at trump when he's kissing his ass on foxnews,United States of America,California,CA,Donald Trump,0,-0.8\r\n690,10/22/2020,ingrahamangle where is the healthcare plan where is the border where is covid pandemic plan where are the best hires where is the best economy look at the debt maga trump2020 trump kag2020 kag maga keepamericagreat,United States of America,California,CA,Donald Trump,2,0\r\n691,10/22/2020,iran posing as the proud boys and sending threats over email come to trump 2020 if you tired of the radical left countryoverparty crookedjoe trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n692,10/22/2020,ironic that trumpsupporters continue to condemn fakenews when it was fakenewsmedia that gave trump airtime and attention during his campaign and presidency that made him the  potus45. if berniesanders got the same time and attention...,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n693,10/22/2020,is there a reason why they decided to drive all the way down to 440 just to come back up into downtown did waze give them bad directions askingforafriend trump nashville,United States of America,Tennessee,TN,Donald Trump,0,-0.6\r\n694,10/22/2020,is this touch really appropriate between father/daughter  trump trumpchinabankaccount trumpmeltdown trumpdebate father daughter touching,United States of America,New Jersey,NJ,Donald Trump,1,0.6\r\n695,10/22/2020,is trump attempting to radicalize his so-called base to commit unsavory acts of terrorist-like activity learn how he is becoming the terrorist in chief .  arizona north carolina florida pennsylvania,United States of America,California,CA,Donald Trump,0,-0.2\r\n696,10/22/2020,isn\xe2\x80\x99t it telling that the worst thing the gop and trump can come up with about joebiden is an accusation towards his son  it was actually nice to see a father stand up for his son so kind of counter productive if you ask me,United States of America,Oklahoma,OK,Donald Trump,0,-0.7\r\n697,10/22/2020,it's been 95 days since this lie. the idea that his supporters think he\xe2\x80\x99s going to help americans blows my mind. he\xe2\x80\x99s not. he\xe2\x80\x99s useless. donaldtrump worstpresidentinhistory trumpisnotamerica donthecon,United States of America,New York,NY,Donald Trump,0,-0.3\r\n698,10/22/2020,its been long overdue to leave afghanistan. we have to let their gov't fight their own secular vs non secular battle.eventually both sides will exhaust of war and equilibrium will reach.trump was/is right about this one.worldorder taliban trump afghanpeaceprocess,United States of America,New York,NY,Donald Trump,0,-0.4\r\n699,10/22/2020,itsjefftiedrich realdonaldtrump jeff give it a rest. you sound extremely upset. go for a walk take some deep breaths it will all be ok for 4 more years trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n700,10/22/2020,it\xe2\x80\x99s amazing people are acting like hunter\xe2\x80\x99s business partner is no big deal and it\xe2\x80\x99s not a story. i really feel like i\xe2\x80\x99m in the movie idiocracy trump bidencrimefamiily bidentownhall debate2020,United States of America,Texas,TX,Donald Trump,1,0.7\r\n701,10/22/2020,it\xe2\x80\x99s interesting that i\xe2\x80\x99ve never seen a biden supporter carrying a semi-automatic weapon.the violent and hateful undertones of trump supporters are evident. it says a lot about those willing to support this president. these images are why i\xe2\x80\x99m voting for joebiden decency vote,United States of America,Washington,WA,Donald Trump,2,0\r\n702,10/22/2020,i\xe2\x80\x99ll be disappointed in biden tonight if he doesn\xe2\x80\x99t parry trump\xe2\x80\x99s accusations with some new ones of his own just to derail him a bit. it\xe2\x80\x99s not like trump doesn\xe2\x80\x99t have a few skeletons to unearth...,United States of America,Minnesota,MN,Donald Trump,0,-0.6\r\n703,10/22/2020,i\xe2\x80\x99m wondering how effective the mutebutton will be this evening. other microphones around the stage including biden\xe2\x80\x99s are likely to pick up whatever trump says &amp; he\xe2\x80\x99s bound to continue to talk with or without a mic &amp; regardless of the debates2020 rules his team agreed to,United States of America,Massachusetts,MA,Donald Trump,1,0.1\r\n704,10/22/2020,jan46488839 grannyg310 steel8883 itsjefftiedrich realdonaldtrump breitbartnews more than half of trump's followers are fake.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n705,10/22/2020,janine_szokoly grandma killer  please.  the early stages of any crisis are confused and uncertain.  had trump been doing his job it never would have happened.,United States of America,Missouri,MO,Donald Trump,0,-0.3\r\n706,10/22/2020,jeffmw bae_miami breaking911 here\xe2\x80\x99s the chart. straight from the bureau of labor statistics.  every year from obama\xe2\x80\x99s last three beats the job growth of any from trump\xe2\x80\x99s 1st three. yet trump has the balls to say he had \xe2\x80\x9cthe best economy everl\xe2\x80\x9d,United States of America,California,CA,Donald Trump,1,0.1\r\n707,10/22/2020,jim crow joe | the racist history of joe biden   via youtube hodgetwins \xf0\x9f\x98\xb1 did biden just say the n-word joebiden donaldtrump,United States of America,North Carolina,NC,Donald Trump,2,0\r\n708,10/22/2020,jobs and healthcare are top issues but mary anne christie hheels_politics draws on her lifetime in politics to explain how parties have the power to control the issues in this episode of the podcast... ohio2020 election2020 biden trump parties,United States of America,Ohio,OH,Donald Trump,0,-0.1\r\n709,10/22/2020,joe biden can't win this election without the black male vote. his marketing team is openly ignoring this important group in battleground states. have we learned anything from the 2016 elections it's like the biden team wants to lose.  blackvotersmatter joebiden donaldtrump,United States of America,Michigan,MI,Donald Trump,0,-0.5\r\n710,10/22/2020,joebiden foxnews joebiden hunterbiden donaldtrump russia russiahoax ukraine,United States of America,Texas,TX,Donald Trump,1,0.3\r\n711,10/22/2020,joebiden has corrupt dealings with the chinese using the office of vp to get him and his family rich. trump has a bank account in china to pay chinese taxes. somehow you'll miss it election2020,United States of America,Minnesota,MN,Donald Trump,0,-0.2\r\n712,10/22/2020,joebiden on some issues i don\xe2\x80\x99t agree with joebiden but i trust him to do what is best for america\xf0\x9f\x87\xba\xf0\x9f\x87\xb8and more importantly trust his character. you can\xe2\x80\x99t even imagine such a video from trump and brayden you\xe2\x80\x99re great enjoy your trip to the whitehouse ... well once it\xe2\x80\x99s disinfected \xf0\x9f\x98\x89,United States of America,Nevada,NV,Donald Trump,1,0.6\r\n713,10/22/2020,joebiden people don\xe2\x80\x99t wanna kill with higher tax trump donaldtrump trump2020 bidentaxplan,United States of America,New York,NY,Donald Trump,0,-0.7\r\n714,10/22/2020,joncoopertweets as far as i can tell absolutely no one is hitting the campaign trail for trump. loser has no one supporting his reelection.,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n715,10/22/2020,joncoopertweets barackobama this is kamala harris\xe2\x80\x99 husband...\xe2\x80\x9dlisten to his truth\xe2\x80\x9d \xf0\x9f\x98\xb1 americaneedspennsylvania acbhearings debate2020 democats republicans trump kamalaharris voteredtosaveamerica2020 bidenemails conspiracy usafacts october,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n716,10/22/2020,jorgensen4potus  realdonaldtrump joked about not wanting to come to erie. how did you like erie pa jorgensen2020 eriepa trump biden,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n717,10/22/2020,just curious who\xe2\x80\x99s read this 400 page document yet i do wonder if trump is in it. ...wishing her well in all.,United States of America,California,CA,Donald Trump,2,0\r\n718,10/22/2020,justinbaragona kudos to halliejackson for refusing to let trump surrogate spread false narrative on her time. reclaimingmytime  conspiracytheory vote votethemout,United States of America,California,CA,Donald Trump,1,0.2\r\n719,10/22/2020,kris_sacrebleu the latest trump ad being run in michigan is this weird grainy montage with some off camera voice asking will you stack the courts followed by a still shot of kamalaharris. then some weirdly edited tape of biden saying voters something edited don't need to know.,United States of America,Michigan,MI,Donald Trump,0,-0.7\r\n720,10/22/2020,kylegriffin1 i just watched about 3 mins of it...that\xe2\x80\x99s all i could last. i feel like i have seen this trump interview a thousand times. lie after lie after gross exaggeration after ridiculous misrepresentation. what an embarrassment how is this race even close,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n721,10/22/2020,lastdebate trump biden,United States of America,Maryland,MD,Donald Trump,2,0\r\n722,10/22/2020,latenight ftw with this 60minutes trump compilation tiktok thursdaymorning,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n723,10/22/2020,lesleystahl threw softballs to trump despite his lies that could be easily fact-checked with rally clips &amp; available economic poll &amp; pandemic data. wuss i want a president who doesn\xe2\x80\x99t lie \xf0\x9f\xa4\xa5 &amp; fold with simple questions. enoughisenough votebluetoendthisnightmarebidenharris,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n724,10/22/2020,let's get the truth out there duet gay gaytiktok rondesantis fyp foryou foryoupage donaldtrump trump rondesantis2024 desantis2024 maga - the gay republican,United States of America,New York,NY,Donald Trump,1,0.1\r\n725,10/22/2020,let\xe2\x80\x99s be real folx...we\xe2\x80\x99re not voting for biden or trump we\xe2\x80\x99re voting for democracy or facism. it\xe2\x80\x99s that simple.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n726,10/22/2020,lindseygrahamsc realdonaldtrump \xf0\x9f\x94\xbdtrump and graham\xf0\x9f\x94\xbd,United States of America,North Carolina,NC,Donald Trump,2,0\r\n727,10/22/2020,listen to the most recent episode of my podcast dotr 25 democratic people\xe2\x80\x99s republic of manhattan   trump trump2020 nyc,United States of America,New York,NY,Donald Trump,1,0.1\r\n728,10/22/2020,listening to barackobama present a listicle of trump\xe2\x80\x99s pure f**kery is incredible. it\xe2\x80\x99s amazing that with all that has happened we are worried that pos can win. like how is that possible wokeaf,United States of America,New York,NY,Donald Trump,1,0.2\r\n729,10/22/2020,long time coming obama telling like it is. trump is a racist &amp; so is his cult,United States of America,California,CA,Donald Trump,0,-0.3\r\n730,10/22/2020,loudobbs saracarterdc realdonaldtrump look the democrats impeached trump. the gop didn't even want to hear the evidence about realdonaldtrump's high crimes and misdemeanors. that occurred in january 2020. maga,United States of America,Idaho,ID,Donald Trump,0,-0.1\r\n731,10/22/2020,love republicans telling women they should be invisible.. trump lovers are pure evil... trumpmeltdown trump presidentialdebate2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n732,10/22/2020,love the aka obamacare mention in obamaspeech other name affordablecareact but trump knows it as obama care.,United States of America,California,CA,Donald Trump,1,0.5\r\n733,10/22/2020,maga trump,United States of America,Washington,WA,Donald Trump,2,0\r\n734,10/22/2020,maga2020 and this idiot has the nuclear codes  trump twitter nationalsecurity hacked biden2020 trumpisanationaldisgrace,United States of America,New York,NY,Donald Trump,0,-0.9\r\n735,10/22/2020,makes one wonder if gop trump supporter fathers have ever kissed their sons  how sad.,United States of America,Wisconsin,WI,Donald Trump,0,-0.7\r\n736,10/22/2020,marcorubio so you finally agree trump is going to lose.,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n737,10/22/2020,marcorubio yep... that is what trump wanted and gift his lackey to do his bidding. ratcliffethehack  ratcliffe,United States of America,Kentucky,KY,Donald Trump,1,0.2\r\n738,10/22/2020,mariabartiromo morningsmaria foxbusiness dagenmcdowell brianbrenberg brent_schutte gen_jackkeane realdoctormike cfraresearch ryanpaynepcm christianwhiton hologic cawthornfornc tiger21 fanduel warroom2020 maria ur thoughts on trump \xe2\x80\x98s chinesebankaccount .,United States of America,Missouri,MO,Donald Trump,1,0.1\r\n739,10/22/2020,market snapshot dow slightly lower thursday amid uncertainty about timing of coronavirus relief from congress potus whitehouse trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n740,10/22/2020,markmeadows stop blaming the democrats you have a senate majority who from the time obama was in office block stuff you have a republican president but you insist on blaming the democrats just like him blaming.  that\xe2\x80\x99s why the us independence are voting against trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n741,10/22/2020,melanie_k_brown you\xe2\x80\x99re welcome for the follow back. i love gh and despise donaldtrump  too,United States of America,New York,NY,Donald Trump,1,0.6\r\n742,10/22/2020,mgilman12 giannocaldwell why is it  and how is that different to what goes on in the trump family if its true...  hunterbiden hunterbidenemails,United States of America,New York,NY,Donald Trump,0,-0.3\r\n743,10/22/2020,mhm \xf0\x9f\xa4\x94 how  is trump the last one to have da coronavirus  n boom now they got a treatment that work you fucking good cuh . realdonaldtrump donaldjtrumpjr potus,United States of America,Florida,FL,Donald Trump,1,0.3\r\n744,10/22/2020,michael_of_mesa trump supporters may be too anal-retentive for proper use,United States of America,Michigan,MI,Donald Trump,0,-0.7\r\n745,10/22/2020,midwest voters trump promised more manufacturing jobs but these jobs shrunk by 237000 from jan 2017 to aug 2020. what do you think of that trump2020 bidenharris2020 trump election2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n746,10/22/2020,more trump nonsense. how to make a hash of national security.,United States of America,Maryland,MD,Donald Trump,0,-0.4\r\n747,10/22/2020,more truth about trump no surprises but truthmatters.,United States of America,Tennessee,TN,Donald Trump,1,0.2\r\n748,10/22/2020,mrchrisrene welllllll i used to respect you and your struggles. i used to respect the delivery you had on xfactor. you\xe2\x80\x99ve lost it. do you really think trump wants to help you you\xe2\x80\x99re nuts. deleted.,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n749,10/22/2020,mrjoncryer they should run the trump \xe2\x80\x9chealthcare plan\xe2\x80\x9dpromises as a montage since 2016 . trump,United States of America,Maryland,MD,Donald Trump,0,-0.3\r\n750,10/22/2020,msnbc joenbc investigate is a far cry from arrest nice try joenbc it is the presidential duty of trump to protect the american people from the criminal acts of crookedjoe and the crookedbidenfamily. full blown autocracy looks like the propaganda/censoring of the fakenewsmedia,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n751,10/22/2020,my latest for middleeastinst what the us presidential election means for ukraine   biden trump bsbonner verstyukivan berdynskykh_k,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n752,10/22/2020,my latest \xe2\x80\x9cfor trump his \xe2\x80\x98both sides\xe2\x80\x99 comment is just the tip of the antisemitic iceberg ... the leader of the free world ... regularly  ... age-old antisemitic canards ... that have undoubtedly contributed to the current spike in u.s. antisemitism.\xe2\x80\x9d bidenharris2020,United States of America,New York,NY,Donald Trump,1,0.2\r\n753,10/22/2020,my reaction to preznut interview. donaldtrump,United States of America,Louisiana,LA,Donald Trump,2,0\r\n754,10/22/2020,nada divide tanto a joebiden y donaldtrump como sus posiciones sobre la reforma de salud,United States of America,California,CA,Donald Trump,1,0.2\r\n755,10/22/2020,nbc nfl maga trump hunterbiden,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n756,10/22/2020,never forget these  gop oath-breakers who said americans should decide about trump but refused to let us hear testimony or evidence.  acquittal without these was a sham.  they don't support the constitution or the rule of law.  11/3  vote them and the liar and cheat out,United States of America,Oregon,OR,Donald Trump,0,-0.6\r\n757,10/22/2020,nixon center\xe2\x80\x94 the kremlin \xe2\x80\x94 trump | by zarina zabrisky | mosaic2 | medium trump nwo foreignpolicy,United States of America,California,CA,Donald Trump,2,0\r\n758,10/22/2020,nj stimulus trump executiveorder bankofamerica $bac we transfer payment files to bank of america the state\xe2\x80\x99s bank then boa disperses the payments to the direct deposit accounts and debit cards of claimants.\xe2\x80\x9d,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n759,10/22/2020,no lie is too big and no lie is too petty and small for donald trump. he tells them all.,United States of America,Hawaii,HI,Donald Trump,2,0\r\n760,10/22/2020,no presidential candidate of any party as required as much factchecking as donaldtrump and it's important to pay attention to that. the lying on coronavirus has been obvious to many but the smaller ones are also worth noting.,United States of America,Illinois,IL,Donald Trump,2,0\r\n761,10/22/2020,no rudy no rudy trump,United States of America,North Carolina,NC,Donald Trump,0,-0.5\r\n762,10/22/2020,nolte biden sinks trump rises in rasmussen national polling trump potus political,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n763,10/22/2020,nomoretrump trumpenough trumpcrimefamily trumpcrimesyndicate arrestivankatrumpfirst trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n764,10/22/2020,number of voting-age white americans without college degrees dropped more than five million while minority voters and college-educated white voters has increased 13 million. in key swing states changes far outstrip trump\xe2\x80\x99s narrow 2016 margins. trump,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n765,10/22/2020,obama delivers a blistering rebuke of trump in his return to the campaign trail,United States of America,New York,NY,Donald Trump,0,-0.2\r\n766,10/22/2020,obama is back baby you know the king had to clap back at trump for all the shade he throws at 44. this is 4 years of pent up anger y'all done woke a sleeping giant. the best part was his delivery which not so subtly mocked the tone and content of a trump rally stephenathome,United States of America,New York,NY,Donald Trump,0,-0.2\r\n767,10/22/2020,obama skewers trump as former president hits campaign trail,United States of America,North Carolina,NC,Donald Trump,2,0\r\n768,10/22/2020,obama telling it like it is. can trump cult even comprehend these easy sentences.,United States of America,California,CA,Donald Trump,0,-0.2\r\n769,10/22/2020,obama. yes such an unbelievable story bout trump &amp; chinese bank account. racist enablers gonna defend the puppet,United States of America,California,CA,Donald Trump,1,0.1\r\n770,10/22/2020,october surprisesssss for trumpmeltdown  - trump is broke has bad credit did not self fund his campaign secret chinese bank account 1000 blank page health plan walked out on 60 minutes no covid vaccine it is 5pm. what did i forget,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n771,10/22/2020,of course bigguyjoebiden did.  big guys  really close w those folks buddies actually. u walked into that one......debatenight debatenight trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n772,10/22/2020,of course donald trump has a secret chinese bank account  via youtube  kimmel donaldtrumphasachinesebankaccount donaldtrump,United States of America,Missouri,MO,Donald Trump,2,0\r\n773,10/22/2020,oh no.. now the trump state ran media is turning against him. where will he call for his daily therapist sessions now ona \xf0\x9f\xa4\xa3,United States of America,New York,NY,Donald Trump,0,-0.4\r\n774,10/22/2020,ohio and pennsylvania helped elect trump. but he betrayed us again and again - the guardian trump politicalviews whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n775,10/22/2020,omg....what a weak pathetic scared little man realdonaldtrump is. boo hoo tough questions...grow up you are president that's your f-ing job is to answer the tough questions. votehimout2020 vote trump 60minutes,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n776,10/22/2020,omgosh\xf0\x9f\x92\x96 heartbreaking and beautiful. this is what empathy looks like. joebiden is a good man.  donald trump would could never be the man in this video not even for these 30 seconds. votebidenharris,United States of America,Washington,WA,Donald Trump,1,0.2\r\n777,10/22/2020,on the nature of complicity abortion nazism trump communism...  via catholicthing,United States of America,Ohio,OH,Donald Trump,0,-0.4\r\n778,10/22/2020,one of my favorite things about volunteering in the rose garden is hearing all the suburbanwomen volunteers nearby talking about how much they hate trump,United States of America,California,CA,Donald Trump,1,0.9\r\n779,10/22/2020,one of the more memorable trump rally attendees on monday october 19 2020 in tucson arizona trump rally trumprally photojournalism,United States of America,Arizona,AZ,Donald Trump,1,0.7\r\n780,10/22/2020,opening question for tonight - mr. vice president are you the big guy presidentialdebate2020 presidentialdebate biden trump news,United States of America,Florida,FL,Donald Trump,2,0\r\n781,10/22/2020,p.j. o'rourke 'this is the end of the world for classical liberalism.'  great video on trump and him acting like a toddler / joke.,United States of America,California,CA,Donald Trump,2,0\r\n782,10/22/2020,pandemic end fintok lunacy trump tax returns - travel blogger buzz,United States of America,Michigan,MI,Donald Trump,2,0\r\n783,10/22/2020,patriotsofmars joebiden screaming 50cent name u or trump never supported nothing 50 has ever done it was those who aren\xe2\x80\x99t in that 1% his fans who still lives in the hood which whom he would be helping not me i live a suburban lifei wonder if they canceled their starz and 50 what % wld it put him in,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n784,10/22/2020,peintre moscowmitch does not card if you live or die and likely has a secret chinesebankaccount like trump mitchmustgo voteearly vote votethemout voteeveryrepublicanout,United States of America,California,CA,Donald Trump,0,-0.5\r\n785,10/22/2020,people considering voting for trump please hear me out i know you believe in kindness. i know you have empathy. we need a leader who is compassionate and human. please please think about that. joebiden is a good man. he is a spiritual man. we need him now more than ever.,United States of America,New York,NY,Donald Trump,1,0.1\r\n786,10/22/2020,people like rudi and trump live to commit criminally acts under the cover of righteousness. they see us as their victims.,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n787,10/22/2020,plain and simple \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8keepamericagreat trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n788,10/22/2020,planning on voting for trump be aware that his goal is to end affordablecareact along w/protection from preexistingconditions. corruptgop has no plan to replace it so if you have any health issues diabetes copd covid be prepared to go broke or get sicker. traitortrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n789,10/22/2020,please dont vote trump,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n790,10/22/2020,please please watch this great impassioned segment from stephenathome. the trump administration's cruel policy of family separation has led to 545 children completely lost. this was a purposeful policy. we'll see much more of this if trump wins. votehimout vote,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n791,10/22/2020,please vote lawyers say they can't find the parents of 545 migrant children separated by trump administration trump vote children politics accountability \xf0\x9f\x92\x94,United States of America,Louisiana,LA,Donald Trump,0,-0.8\r\n792,10/22/2020,please vote today to avoid larger crowds on election day \xf0\x9f\x87\xba\xf0\x9f\x87\xb8texas now has the most covid19 cases than any other state. the combo of trump &amp; governorabbott is dangerous &amp; deadly for texans. voting for bidenharris2020 can save lives. please join us voting for a better future.,United States of America,Texas,TX,Donald Trump,2,0\r\n793,10/22/2020,pollster who predicted 2016 result says trump on track to win again with help of 'hidden' support o  foxnews yourfired wh icantfeelmyface fashion country oaklawn dallas texas usa uk tv radio newmusic,United States of America,Texas,TX,Donald Trump,2,0\r\n794,10/22/2020,portland braces for danger of post-election unrest      \xe2\x80\xa6 portland orpol portlandpolice portlandprotests portlandriots tedwheeler sarahiannarone trump biden election2020 oregon protests blm,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n795,10/22/2020,portuguese cartoonist vascogargalo hits it again on trump putin &amp; the state of us politics. no words necessary.,United States of America,New York,NY,Donald Trump,1,0.1\r\n796,10/22/2020,potus is a weak-minded  impotent and corrupt little man. trump knows he\xe2\x80\x99s outmatched by joebiden on every level. all trump has is the recourse of a coward.,United States of America,California,CA,Donald Trump,0,-0.6\r\n797,10/22/2020,president trump addressed a crowd of over 28000 at his maga campaign event in gastonia n.c. details  wccb ncnews maga trump 2020election campaign rally politics republican presidenttrump,United States of America,North Carolina,NC,Donald Trump,0,-0.3\r\n798,10/22/2020,president trump\xe2\x80\x99s twitter accessed by security expert who guessed password \xe2\x80\x9cmaga2020\xe2\x80\x9d \xe2\x80\x93 techcrunch  trump twitter cybersecurity,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n799,10/22/2020,presidential option - donald trump currently predicts 253 electoral votes for election2020   will it change after debates2020 tonight,United States of America,California,CA,Donald Trump,2,0\r\n800,10/22/2020,pretty remarkable even for twitter jack to censor my biden tweet. trump,United States of America,Pennsylvania,PA,Donald Trump,1,0.3\r\n801,10/22/2020,princessamiira i'm 50/50 that trump shows or not.  but i def will watch.  the orange cheeto will be a train wreck.,United States of America,California,CA,Donald Trump,0,-0.1\r\n802,10/22/2020,projectlincoln a vote\xc2\xa0 for trump is like a turkey \xf0\x9f\xa6\x83 voting for christmas,United States of America,California,CA,Donald Trump,0,-0.1\r\n803,10/22/2020,projectlincoln not enough.  trump must be prosecuted and put in prison for crimes ranging from taxevasion bribery accessory to 250000 covid19 coronavirus murder sanctioning hate.,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n804,10/22/2020,question regarding muting the microphones during tonight\xe2\x80\x99s debate. trump\xe2\x80\x99s response \xe2\x80\x9cit\xe2\x80\x99s not fair.\xe2\x80\x9d this is a child not an adult. we have 12days folks. we need an adult who knows what he\xe2\x80\x99s doing in the whitehouse. votebidenharris2020 votebidenharristosaveamerica,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n805,10/22/2020,racist houston texas pokemon trump trump2020 trumpisaracist,United States of America,Washington,WA,Donald Trump,1,0.1\r\n806,10/22/2020,radiofreetom and they know trump is,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n807,10/22/2020,ratcliffe the director of national intelligence is nothing more than a trump mouthpiece he has no actual experience in intelligence.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n808,10/22/2020,read e.j. dionne's opinion piece in the washingtonpost   trump2020 bidenharris2020 trump election2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n809,10/22/2020,ready for presidentialdebate2020  nashvilledebate trump biden america2020 masechi agenzia_italia,United States of America,Texas,TX,Donald Trump,1,0.2\r\n810,10/22/2020,realdonaldtrump 1 2 obama coming 4 u obama gone gangsta on trump...trump ain't ready for this trump can dish... it but can't take it \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 teamobama joebiden2020 kamalaharris trumpcrimefamily,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n811,10/22/2020,realdonaldtrump 1 2 obama coming 4 u obama gone gangsta on trump...trump ain't ready for this trump can dish... it but can't take it \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 teamobama joebiden2020 kamalaharris trumpcrimefamily,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n812,10/22/2020,realdonaldtrump 1 2 obama coming 4 u obama gone gangsta on trump...trump ain't ready for this trump can dish... it but can't take it \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 teamobama joebiden2020 kamalaharris trumpcrimefamily,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n813,10/22/2020,realdonaldtrump 1 2 obama coming 4 u obama gone gangsta on trump...trump ain't ready for this trump can dish... it but can't take it \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 teamobama joebiden2020 kamalaharris trumpcrimefamily,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n814,10/22/2020,realdonaldtrump 60minutes obama gone gangsta on trump...trump ain't ready for this trump can dish... it but can't take it \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 teamobama joebiden2020 kamalaharris trumpcrimefamily,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n815,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n816,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n817,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n818,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n819,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n820,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n821,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n822,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n823,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n824,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n825,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n826,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n827,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n828,10/22/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n829,10/22/2020,realdonaldtrump breitbartnews i don\xe2\x80\x99t believe a word that you say... liarinchief liar  trump trumpchinabankaccount trumpisaloser trumpisalaughingstock trumpisanationaldisgrace,United States of America,California,CA,Donald Trump,0,-0.9\r\n830,10/22/2020,realdonaldtrump cowardly trump is so threatened by smart women who see right through his nonsensical antics. debates2020 debatenight debatetonight mutetrump bidenharristosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.2\r\n831,10/22/2020,realdonaldtrump ha typhoid mary trump superspreaderevent says he can protect america,United States of America,California,CA,Donald Trump,1,0.1\r\n832,10/22/2020,realdonaldtrump homicidal typhoid mary trump superspreaderevent.,United States of America,California,CA,Donald Trump,2,0\r\n833,10/22/2020,realdonaldtrump i am soooo looking forward to watching you have yet another epic failure trump debatenight,United States of America,Minnesota,MN,Donald Trump,1,0.8\r\n834,10/22/2020,realdonaldtrump is terrified at the prospect of getting into a fight trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n835,10/22/2020,realdonaldtrump keep your superspreader rallies out of our state wisconsin is suffering with record covid_19 cases. you truly are a pathetic person who cares about no one but yourself. trump govevers can\xe2\x80\x99t you stop this,United States of America,Wisconsin,WI,Donald Trump,0,-0.6\r\n836,10/22/2020,realdonaldtrump lies \xe2\x80\x9cwe\xe2\x80\x99re rounding that turn\xe2\x80\x9d why then record covid19 cases in 10 states realdonaldtrump roundingthatturn to indicttrump2020 trump bankruptcy secretchinesebankaccount 220kamericansdead ap usatoday nytimes whitehouse cnn,United States of America,Ohio,OH,Donald Trump,0,-0.7\r\n837,10/22/2020,realdonaldtrump nypost i think donaldtrump should be given the credit he deserves for inspiring voter turnout he has energized the vast centrist majority in this country to fight voter suppression and to sacrifice and risk their lives in order to vote him out of office,United States of America,California,CA,Donald Trump,0,-0.4\r\n838,10/22/2020,realdonaldtrump obama/biden were better for the markets. trump trumpnotfitforoffice resist biden2020 biden bidenharrislandslide2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n839,10/22/2020,realdonaldtrump suburban women understand who &amp; what trump is,United States of America,California,CA,Donald Trump,0,-0.2\r\n840,10/22/2020,realdonaldtrump tennesse doesn\xe2\x80\x99t want you  trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n841,10/22/2020,realdonaldtrump thank you for your visit to erie on tuesday although i was one of those who lined the street outside to listen.  we did what we could on this end on tuesday and we'll do what we have to on november 3rd. trump/pence 2020,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n842,10/22/2020,realdonaldtrump that\xe2\x80\x99s funny i\xe2\x80\x99m in tennessee too. they say i\xe2\x80\x99m facing the titans. been a long time since i played football but they don\xe2\x80\x99t call me shoe leather for nothing.  gotta finish my cracker jacks. djtisthetitan trump2020 trump biden bidenemails biden2020tosaveamerica,United States of America,Tennessee,TN,Donald Trump,2,0\r\n843,10/22/2020,realdonaldtrump this message will get you less than 1% of the votes. try something else. trumpkillsus trumpvirus trumphasnocredibility maga2020 kag2020 kag maga trump2020 trump trumpkillsus trumpisnotwell vetsagainsttrump veteran veteransfortrump veteran,United States of America,California,CA,Donald Trump,0,-0.3\r\n844,10/22/2020,realdonaldtrump trump doesn't give a damn about americans divided this country with hate &amp; civil unrest u only care about the 1percent if you were a good president u would tell moscowmitch to approve the trillion dollars &amp; give us the 9billion left in caresact &amp; stop blaming speakerpelosi,United States of America,New York,NY,Donald Trump,0,-0.9\r\n845,10/22/2020,realdonaldtrump trump is campaigning for us. every time he speaks people come over to our side. he just wants to support the 1%. has been doing so the whole time,United States of America,Virginia,VA,Donald Trump,0,-0.2\r\n846,10/22/2020,realdonaldtrump well when you've made enemies of everyone - how can you get anything done  i remember candidate donaldtrump saying that tedcruz wouldn't be able to get anything done - because everyone in washington hates him.  well well well.,United States of America,New York,NY,Donald Trump,2,0\r\n847,10/22/2020,realdonaldtrump you have a hotel in that swamp you also make $$ on putting government staff in your hotels. washingtondc draintheswamp draintheswamp2020 trump trumpcrimefamily trumpisanationaldisgrace,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n848,10/22/2020,remember the people in ur life that are still voting trump support child abuse racism and hatred - drop them from your life they are toxic votebidenharristosaveamerica,United States of America,California,CA,Donald Trump,0,-0.8\r\n849,10/22/2020,revolt777 rudygiuliani which candidate for president has a big fat bank account in china and pays more in taxes to the chines govt than to the us government  which first daughter got all of her trademark apps approved by the chinese govt ivanka trumpchinabankaccount trump china,United States of America,New York,NY,Donald Trump,0,-0.8\r\n850,10/22/2020,right now america does not know of one concrete policy of trump for the next four years and after tonight we still wont. he doesn't even know them himself the charlatan and will just rely on attacking people and mocking them. he's a national embarrassment and must be voted out,United States of America,Nevada,NV,Donald Trump,0,-0.9\r\n851,10/22/2020,rudygiuliani liar you already talked to a fake ivanka and said you needed to talk to her father meaning trump,United States of America,Georgia,GA,Donald Trump,0,-0.9\r\n852,10/22/2020,ryanafournier i guess the trump campaign never heard of the element of surprise. marketingfail,United States of America,California,CA,Donald Trump,0,-0.2\r\n853,10/22/2020,say it ain\xe2\x80\x99t so realdonaldtrump was warned and did nothing sounds a lot like covid trump does what he does best absolutely nothing,United States of America,Wisconsin,WI,Donald Trump,0,-0.8\r\n854,10/22/2020,says a lot about you &amp; your family &amp; friends that are voting for trump no one i know is or have voted for trump facts you're racist if you're voting for realdonaldtrump plain &amp; simple morningjoe votebluetosaveamerica votebluetoendthisnightmare votebidenharris2020,United States of America,New York,NY,Donald Trump,0,-0.5\r\n855,10/22/2020,sdonnan maggienyt govmikedewine gee i guess it\xe2\x80\x99s lucky for you that trump is going to release a healthcare plan very soon.  and that he\xe2\x80\x99s determined that your state and the rest of the country has turned the corner on covid19. sarcasm votebidenharristosaveamerica,United States of America,Tennessee,TN,Donald Trump,0,-0.4\r\n856,10/22/2020,seanspicer kathielaguna joebiden sean if you're thinking about making clever comments they have to be rooted in reality.  otherwise you end-up looking like a pathetic trump stooge.,United States of America,Missouri,MO,Donald Trump,0,-0.7\r\n857,10/22/2020,seattle portland nyc sue trump administration over threat to pull federal money whitehouse trump politicalviews,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n858,10/22/2020,seattlepd mrandyngo oh god. lol... i shouldn't laugh.. but better vote trump.,United States of America,Texas,TX,Donald Trump,1,0.1\r\n859,10/22/2020,second just look at the way the trump administration behaved in trying to reunite the last group of parents.,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n860,10/22/2020,senatemajldr your party abdicated the right to pull the \xe2\x80\x9cfacts\xe2\x80\x9d argument back in 2016 when you all sold out the gop to trump like invasive species.,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n861,10/22/2020,senjoniernst .senjoniernst supports trump on veterans iasen uiowa,United States of America,California,CA,Donald Trump,0,-0.2\r\n862,10/22/2020,sensanders donaldtrump hates america and refuses to pay his fair share of anything. he\xe2\x80\x99d rather support china.  americafirst maga votebidenharristosaveamerica votebluetoendthisnightmare votebluetosaveamerica flipthesenateblue vote trumpisaloser chinaschump election2020,United States of America,Colorado,CO,Donald Trump,0,-0.3\r\n863,10/22/2020,she is so good. climatebreakdown is man-made and correctable if trump was not such an clown idiotinchief whatever maga2020 denier.,United States of America,California,CA,Donald Trump,2,0\r\n864,10/22/2020,simple question. why are absentee ballots being sent out to people that never requested them what causes that cnn npr abc nbcnews media democrats republicans vote voterfraud election2020 trump biden,United States of America,New York,NY,Donald Trump,0,-0.4\r\n865,10/22/2020,so again the trump administration is lying to you about familyseparation. the parents did not want to leave their children. see below for a thread. \xf0\x9f\x91\x87\xf0\x9f\x8f\xbe,United States of America,Massachusetts,MA,Donald Trump,0,-0.3\r\n866,10/22/2020,so i am feeling like something big will happen tonight trump debate2020 bidencrimefamiily,United States of America,District of Columbia,DC,Donald Trump,1,0.5\r\n867,10/22/2020,so if you impose rules to restrict bullying  do the bullies in schools complain that rules are stacked against them  asking on behalf of trump voters.,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n868,10/22/2020,so its ok when trump and the republicans want to be \xe2\x80\x9cpolitical\xe2\x80\x9d with things but not when anybody else does it   thereidout,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n869,10/22/2020,so on nov. 3 are you voting for hunter biden or the 3 trumpettes or are none of them on the ballot election2020 trump biden,United States of America,New York,NY,Donald Trump,0,-0.6\r\n870,10/22/2020,spettypi denniscardiff now chrischristie should tell the world that trump is a murderer that almost killed him,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n871,10/22/2020,stahl tells pence he and trump 'insulted 60minutes' by giving 'campaign speeches' thehill,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n872,10/22/2020,stevenbeschloss oh seriously...he has left a trail of crap. and the worst part my children your children our grandchildren - they are the ones that will suffer most. these kids will have to fight all over again where the hell is the justice not the supreme court amyconeybarrett trump,United States of America,Idaho,ID,Donald Trump,0,-0.9\r\n873,10/22/2020,stonekettle wait did stahl evicted putin from trump\xe2\x80\x99s head to take up residency deep beneath the combover,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n874,10/22/2020,stop the lies your clothing line is still being made in china. bank account in china you have bonds. bring jobs back to us trump taps ivanka for a rescue mission win back suburban women. china senators ivanka bidenharris vote trump biden debate,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n875,10/22/2020,stop using ableist language about trump. just stop. a lot of the shit you\xe2\x80\x99re using against him is stuff used against disabled people. every day. for no reason. i hate him too but jeering at him for being mentally disabled or physically disabled hurts innocent people.,United States of America,Washington,WA,Donald Trump,0,-0.6\r\n876,10/22/2020,superman in more ways than any other president in the history of the united states of america \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trump2020 trump usa,United States of America,Massachusetts,MA,Donald Trump,1,0.3\r\n877,10/22/2020,supremecourtconfirmation trump america2020 msechi agenzia_italia,United States of America,Texas,TX,Donald Trump,1,0.1\r\n878,10/22/2020,susan rice obama 'very effectively' turned the knife on trump's 'incompetence' 'corruption' politicalparties trump whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n879,10/22/2020,tbt to 2016 gotv &amp; my weekend in philadelphia knocking on doors &amp; phone banking for hillaryclinton the election is 12 days away. there\xe2\x80\x99s still time to volunteer &amp; do covid19-style gotv don\xe2\x80\x99t wake up on nov. 4th regretting that you could\xe2\x80\x99ve done more to defeat trump.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n880,10/22/2020,tennessee highway patrol \xe2\x80\x9cglobal ranger\xe2\x80\x9d helicopter is tracking over the city of nashville site of tonight\xe2\x80\x99s trump biden debate \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Texas,TX,Donald Trump,2,0\r\n881,10/22/2020,texas is tied. georgia is tied. florida and arizona and ohio and northcarolina are tied. biden could beat trump in every state...if you vote.,United States of America,Virginia,VA,Donald Trump,0,-0.1\r\n882,10/22/2020,texas texasearlyvoting gop trump how can you support this while trying to teach your children how to live a good productive moral life  vote bidenharrislandslide2020,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n883,10/22/2020,that is an insane good insane image. trump vote usa \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Texas,TX,Donald Trump,1,0.5\r\n884,10/22/2020,that was nothing more than a stunt fbi wray vote biden trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n885,10/22/2020,the final debate will cover six main issues. here\xe2\x80\x99s where trump and biden stand.  trump biden debate president debateissues campaign campaign2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n886,10/22/2020,the final presidential debate comes with less than 2 weeks left of the election cycle. tune in tonight at 9 p.m. et to watch 2020elections presidentialdebate trump biden republican democrats vote democracy foxnews,United States of America,California,CA,Donald Trump,0,-0.2\r\n887,10/22/2020,the final presidential debate is on tune into news 12 tonight at 830pm for a preview then watch the sparks fly live at 9pm\xc2\xa0and stay with\xc2\xa0us after for our post-debate analysis.\xc2\xa0news12\xc2\xa0presidentialdebate\xc2\xa0trump biden\xc2\xa0vote2020 brooklyn,United States of America,New York,NY,Donald Trump,1,0.1\r\n888,10/22/2020,the most damaging element of this entire exercise is trump thinks this makes him look better and not worse. it's hilarious that he thinks being whiny and taking my ball and going home makes him look like a strong leader. i was literally lol. trump bidenharris2020,United States of America,California,CA,Donald Trump,2,0\r\n889,10/22/2020,the only evil there ever was is &amp; always has been trump.,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n890,10/22/2020,the presidentialdebate commission instituted new policies in an attempt to make donaldtrump play by the rules tonight.  nashville tennessee,United States of America,Maryland,MD,Donald Trump,2,0\r\n891,10/22/2020,the raw footage of trump's 60 minutes interview  via facebookwatch,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n892,10/22/2020,the us makes up &lt;5% of the global population but &gt;20% of global deaths &amp; yet pres. trump says he wouldn't change his handling of the pandemic - i get reaction from dr. murtazaakhter &amp; we discuss cdc redefining what constitutes close contact w/covid patients &amp; herdimmunity,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n893,10/22/2020,thehill the laptop from hell. lmao trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n894,10/22/2020,there's a reason we're called the silent majority. trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trumppence2020 4moreyears maga kag kag2020 pence,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n895,10/22/2020,there's no enthusiasm for biden even if i want to choose the lesser evil or not elections2020 trump biden,United States of America,New York,NY,Donald Trump,0,-0.8\r\n896,10/22/2020,there's no place else to go if liberals start running this country it's go time baby trump votered trump2020landslidevictory,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n897,10/22/2020,therickwilson projectlincoln pls review options 4 candidates 1 joe biden democracy humanity healthcare worldrespect safetroops                               2 donald trump dictator troops4bounty nohealthcare nomedicare  3other trump mittromney govlarryhogan,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n898,10/22/2020,they are thing...f the rain &amp; f trump,United States of America,Oklahoma,OK,Donald Trump,0,-0.2\r\n899,10/22/2020,they are who we thought they they are and we let them off the hook. trump will handle this presidentially,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n900,10/22/2020,this is sad &amp; hysterical trumpisanationaldisgrace trump trumpisacoward bidenharristosaveamerica,United States of America,Oregon,OR,Donald Trump,0,-0.7\r\n901,10/22/2020,this is trump\xe2\x80\x99s legacy dumptrump,United States of America,Illinois,IL,Donald Trump,2,0\r\n902,10/22/2020,this song is stuck in my head. debate2020 debates trump,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n903,10/22/2020,this sunday will be another wonderful opportunity to see side by side the difference between a man with character class and desire to help everyone vs the egomaniacal fragile man baby that trump is. he can't even handle an interview dumptrump,United States of America,Minnesota,MN,Donald Trump,1,0.5\r\n904,10/22/2020,timhannan trump couldn't catch him.,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n905,10/22/2020,to learn to the trump fakenews media strategy read this,United States of America,New York,NY,Donald Trump,2,0\r\n906,10/22/2020,to the leaders in the evangelical community can you please explain your support endorsement allegiance to this morally bankrupt man. are you really all about a political transactiontell me. i want to understand. trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n907,10/22/2020,tonight at 6p - trump &amp; biden face off in the final presidential debate live on kmjnow + live &amp; local reax immediately afterward,United States of America,California,CA,Donald Trump,0,-0.4\r\n908,10/22/2020,tony bobulinski speaks- breakingnewsnow breaking_news breakingnews breakingnewz breakingnow breaking tonybobulinski bobulinski presidenttrump trump presidentdonaldtrump donaldtrump live livestreamcoverage livestreamingcoverage streaminglive,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n909,10/22/2020,tpes morningpoliticalthought immigration newvoters florida pennsylvania october octobersurprise scotus amendment constitution nine romney trump maga2020 trump2020 vote2020 parler parlerusa,United States of America,California,CA,Donald Trump,0,-0.1\r\n910,10/22/2020,trekker34 realdonaldtrump yeah.. ok you need help getting back up when you bend down. you slept during multiple speeches and interviews. you'll raise taxes. you will never have my vote my entire family is trump you will take our rights our guns it will be communism trump is pure american,United States of America,New Jersey,NJ,Donald Trump,0,-0.2\r\n911,10/22/2020,trump,United States of America,Florida,FL,Donald Trump,2,0\r\n912,10/22/2020,trump,United States of America,Florida,FL,Donald Trump,2,0\r\n913,10/22/2020,trump,United States of America,New York,NY,Donald Trump,2,0\r\n914,10/22/2020,trump admin has known for weeks that iran russia hacked local governments say officials - nbc news political politicalparties trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n915,10/22/2020,trump administration violates agreement and releases 60minutes interview ahead of sunday broadcast - cbs news,United States of America,California,CA,Donald Trump,0,-0.7\r\n916,10/22/2020,trump always makes things worse for trump.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n917,10/22/2020,trump and biden are in a dead heat after registration numbers in swing states - anyone can win which means every stock is good. dow dow40k election2020,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n918,10/22/2020,trump boasts the economy reached historic heights during his first term. here are 9 charts showing how it stacks up to the obama and bush presidencies. political trump politics,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n919,10/22/2020,trump breaks agreement with 60minutes and posts his own interview before scheduled air date. 60minutesinterview,United States of America,Florida,FL,Donald Trump,1,0.1\r\n920,10/22/2020,trump campaign officials say with cash running low and with polling data looking worse they will move their entire messaging platform to 1 personal attacks against bidenharris and 2 discredit/disrupt the election process,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n921,10/22/2020,trump can\xe2\x80\x99t open his mouth without lying. biddenharris2020,United States of America,Tennessee,TN,Donald Trump,0,-0.2\r\n922,10/22/2020,trump commutes former aps teacher\xe2\x80\x99s prison sentence. kag blacktwitter,United States of America,New York,NY,Donald Trump,2,0\r\n923,10/22/2020,trump could have avoided over 130000 covid-19 deaths. trumpvirus trumplied221kamericansdied trumpisatraitor trumpisacriminal trumpchinabankaccount trumpliedpeopledied,United States of America,Florida,FL,Donald Trump,2,0\r\n924,10/22/2020,trump endorses russiandisinformation campaign on fox | \xe2\x81\xa6time\xe2\x81\xa9 foxnews hunterbidenlaptop hunterbidenslaptop hunterbidenemails,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n925,10/22/2020,trump fails america corrupt vote biden in election,United States of America,California,CA,Donald Trump,0,-0.8\r\n926,10/22/2020,trump has a secret trumpchinabankaccount in china,United States of America,Tennessee,TN,Donald Trump,2,0\r\n927,10/22/2020,trump has broken chriscoons.,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n928,10/22/2020,trump has lied frenetically and evangelized for conspiracism; he has stolen children from their parents; he has made himself an advocate of a hostile foreign power; and he has failed to protect america from a ravaging virus.,United States of America,California,CA,Donald Trump,0,-0.9\r\n929,10/22/2020,trump has zero answers for this because he has no plan he's never had a plan. republicans have had 10 years 10 years to come up with a new healthcare plan and they have never been able to. trump keeps lying. he will continue to lie. votehimout,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n930,10/22/2020,trump hates pennsylvania-- bet he can't spell it foxnews foxandfriends cpac wsj usatodaydc  ingrahamangle seanhannity tuckercarlson gop republicans,United States of America,New York,NY,Donald Trump,0,-0.7\r\n931,10/22/2020,trump is throwing so much crap against the wall that few are going crazy over this in his key tv ad trump edits joebiden saying he\xe2\x80\x99d raise taxes only on those who make more than $400000 to just \xe2\x80\x9ci\xe2\x80\x99ll raise your taxes.\xe2\x80\x9d it\xe2\x80\x99s a big lie but it\xe2\x80\x99s a heavy buy and sounds scary.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n932,10/22/2020,trump is weak and failing.,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n933,10/22/2020,trump is whining about everything in the upcoming presidentialdebate. he thinks it\xe2\x80\x99s not fair that they mute the microphone when it\xe2\x80\x99s not his turn he thinks the moderator kristenwelker is unfair. you sniveling baby everybody else is at fault but you. voteblue2020 trumplies,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n934,10/22/2020,trump knew corona was deadly of course he knew he was briefed by the best intelligence agencies in the world &amp; then he told everyone that covid19 was just like a flu. who does that a sadist psychopath demon possessed devil worshipper or just somebody really stupid,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n935,10/22/2020,trump make america great again election politics button  election2020 uspolitics trump,United States of America,California,CA,Donald Trump,0,-0.5\r\n936,10/22/2020,trump may not be responsible for the virus but he is responsible for the federal non-response that has led to far more deaths than we should have suffered.  trump coronavirus 2020election,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n937,10/22/2020,trump might demand billions more from gulf governments as a condition to keep us forces in the region,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n938,10/22/2020,trump must pay,United States of America,New York,NY,Donald Trump,0,-0.1\r\n939,10/22/2020,trump or a chicken...you make the call,United States of America,Colorado,CO,Donald Trump,2,0\r\n940,10/22/2020,trump potus and his ppl,United States of America,North Carolina,NC,Donald Trump,0,-0.4\r\n941,10/22/2020,trump pushing massive pentagon no-bid contract to reward gop connected crooks... i mean company. voteouteveryrepublican votebluetoendthisnightmare,United States of America,Hawaii,HI,Donald Trump,0,-0.1\r\n942,10/22/2020,trump pushing to declassify document disputing intel findings on russia report thehill,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n943,10/22/2020,trump realdonaldtrump trumpmoronicsociopath,United States of America,California,CA,Donald Trump,2,0\r\n944,10/22/2020,trump released his entire interview w/ leslie stahl ..... where he walked the hell out of like a child  thereidout,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n945,10/22/2020,trump rnc voterintimidation gotv thugs,United States of America,New York,NY,Donald Trump,0,-0.8\r\n946,10/22/2020,trump says he doesn't actually want whitmer biden and obama to be locked up despite chants thehill,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n947,10/22/2020,trump says he hopes supremecourt strikes down obamacare thehill,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n948,10/22/2020,trump says rudygiuliani told him i was only tuckinginmyshirt,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n949,10/22/2020,trump seeks to change race with final debate thehill,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n950,10/22/2020,trump senatemajldr gopleader vp lindseygrahamsc senjoniernst senmcsallyaz don't care about us - just themselves &amp; must b voted out resist morningjoe joenbc morningmika steveschmidtses projectlincoln nicolledwallace sruhle katyturnbc alyssa_milano maga blm fbr,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n951,10/22/2020,trump treats the poor like roaches and if things keep going the way they are we\xe2\x80\x99re going to be exterminated votebluetoendthisnightmare,United States of America,New York,NY,Donald Trump,0,-0.8\r\n952,10/22/2020,trump trump2020 hispanicsfortrump latinosfortrump trumpdance,United States of America,Illinois,IL,Donald Trump,2,0\r\n953,10/22/2020,trump trumpisacoward covid19,United States of America,California,CA,Donald Trump,2,0\r\n954,10/22/2020,trump tweets biden wants to pack the court with radical left crazies. he doesn\xe2\x80\x99t even make a list to explain who they are. you know exactly who i pack the court with -- religious fanatics like amy semple mcbarrett literal interpretation of bible and the constitution,United States of America,California,CA,Donald Trump,0,-0.2\r\n955,10/22/2020,trump violated the law he signed a non-disclosure agreement. narcissistic  he's a psychotic ass trumpispathetic,United States of America,New York,NY,Donald Trump,0,-0.6\r\n956,10/22/2020,trump votebidenharristosaveamerica,United States of America,New York,NY,Donald Trump,2,0\r\n957,10/22/2020,trump vs. biden on 3 key issues important to christian voters,United States of America,Washington,WA,Donald Trump,2,0\r\n958,10/22/2020,trump was wrongly impeached for the very things we now know that biden actually did. vote wisely america. vote trump2020 saveamerica,United States of America,Missouri,MO,Donald Trump,2,0\r\n959,10/22/2020,trump weighs firing fbi director after the election as frustration with wray and barr grows. via cnn,United States of America,Nevada,NV,Donald Trump,0,-0.3\r\n960,10/22/2020,trump will win unitedstates  election with 270-280 seats data analyst election2020,United States of America,California,CA,Donald Trump,2,0\r\n961,10/22/2020,trump you are the absolute worst,United States of America,Tennessee,TN,Donald Trump,0,-0.8\r\n962,10/22/2020,trump..........its trump's magical oreo cookie omg lmaooooooooo,United States of America,New York,NY,Donald Trump,1,0.8\r\n963,10/22/2020,trump........wow.......its moe larry &amp; curly....with a combined iq of negative 387 nyuknyuknyuk,United States of America,New York,NY,Donald Trump,0,-0.1\r\n964,10/22/2020,trump2020 trump hunterbiden  time to act barackobama speech and speech. then speech now speech,United States of America,California,CA,Donald Trump,0,-0.1\r\n965,10/22/2020,trumpcannotandmustnotbetrusted trump whattafcvkingliar realdonaldtrump,United States of America,California,CA,Donald Trump,1,0.1\r\n966,10/22/2020,trumpisanationalsecuritythreat trumphasbeenhacked trumpiscompromised trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n967,10/22/2020,trumpsuperman. trump said he \xe2\x80\x9c felt like superman\xe2\x80\x9d post covid treatment.   he can leap short ramps in a slow hobble \xf0\x9f\x99\x82 trump trumpcovidhoax,United States of America,New York,NY,Donald Trump,2,0\r\n968,10/22/2020,trump\xc2\xa0order strips workplace protections from civil\xc2\xa0servants thehill,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n969,10/22/2020,trump\xe2\x80\x99s cash crunch constrains his campaign at a critical juncture  trump broke finance campaign trumpcampaign trumpfinancials election campaignfinance money trumpcorruption corruption trumporg,United States of America,New York,NY,Donald Trump,0,-0.8\r\n970,10/22/2020,trump\xe2\x80\x99s envy &amp; resentment of obama is so obvious &amp; transparent eloquence intellect physical fitness respect looks national &amp; international affection leadership\xe2\x80\x94all his. all whinetit has is wild-eyed worship of the trumpcult a thin gruel with little nutritive value.,United States of America,California,CA,Donald Trump,0,-0.3\r\n971,10/22/2020,try and spin this \xe2\x81\xa6joebiden\xe2\x81\xa9  trump usa,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n972,10/22/2020,u.s. postalservice benches its police officers before election - wsj. \xe2\x80\x94 why i took my ballot to a drop box. the likelihood that trump troops will try to mess with the delivery of big-city ballots is very high pittsburgh and philly being two of them.,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n973,10/22/2020,uge - trump huge bahhahahaaaaa by the way trump2020,United States of America,Florida,FL,Donald Trump,1,0.1\r\n974,10/22/2020,umanalytic poll 59.6% of all trump supporters are secretly voting for bidenharris2020,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n975,10/22/2020,unclejoe there's a lot of talk about fla and pa. seems to me that a lot of trump people want to cheat in these states. let us assume michigan and wisconsin are fairly secure. could it be that an easier path is northcarolina and arizona you and kamala are in my prayers,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n976,10/22/2020,uniformed miami officer to be disciplined for wearing trump mask at polling place,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n977,10/22/2020,us election how donald trump could still win despite latest polls,United States of America,California,CA,Donald Trump,0,-0.3\r\n978,10/22/2020,us states sorted by percentage of the population that has been infected by covid19 strong correlation here to percent of the population that supports and listens to trump in these states. trump has steered people wrong re mask wearing etc.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n979,10/22/2020,using a mutebutton in tonight's debate may be well intentioned but it amounts to media continuing to conceal the extent of donaldtrump's mental incapacity from the american people-who have a right to know if their president is mentally imbalanced. debates2020 debatenight,United States of America,New York,NY,Donald Trump,0,-0.2\r\n980,10/22/2020,vote for trump hassled when to run you may go beauty. and i will tell you she's sudan which him last night on in doubt shoot.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n981,10/22/2020,vote to protect your healthcare. vote to protect the constitution. vote for a unified usa. vote for saragideon mepolitics get rid of trump apologist susancollins. she may say she's not but she votes with him when he tells her to. kavanaugh,United States of America,New York,NY,Donald Trump,2,0\r\n982,10/22/2020,vote we have no real leadership under trump,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n983,10/22/2020,votetrumpoutvotetrump trump is why america is still dealing with covid-19,United States of America,California,CA,Donald Trump,0,-0.4\r\n984,10/22/2020,wait - didn\xe2\x80\x99t trump already send his mailinballot  i thought there was a tweet someone find that realdonaldtrump is going to vote twice \xf0\x9f\x98\xb3,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n985,10/22/2020,waltshaub so do i. this is ridiculous. trump can spew whatever hate he wants and the rest of us ordinary americans are restricted by jack.,United States of America,Hawaii,HI,Donald Trump,0,-0.4\r\n986,10/22/2020,want to know why trump still has a chance this is a map of state legislatures. red states are those in which both chambers are controlled by the gop.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n987,10/22/2020,was that the white house intern staff masked and sitting in the rose garden asking scripted questions it was almost perfect until that pesky helicopter showed up. trump townhall rosegarden,United States of America,Texas,TX,Donald Trump,2,0\r\n988,10/22/2020,watch for this tonight during the presidentialdebate  trump cocaine cocainedon,United States of America,New Jersey,NJ,Donald Trump,2,0\r\n989,10/22/2020,wdelpilar sorry but this is apples &amp; oranges. they handle statistical data based on surveys look up dr. norris. what we spoke about was actual voterfraud data numbers and whether these can affect the election. trump is and remains the most unpopular president the us ever had.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n990,10/22/2020,we support the american people...not russian trump,United States of America,Colorado,CO,Donald Trump,2,0\r\n991,10/22/2020,we taxpayers are footing the bill for trump's rallies all over the country.  airforce 1.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n992,10/22/2020,we're just fly-over rubes to journalists in the national press. i don't like it but it's this sentiment that gives us trump and his trumpeteers as push-back.,United States of America,Georgia,GA,Donald Trump,0,-0.6\r\n993,10/22/2020,weekend at biden's trump trump2020 maga  via youtube,United States of America,Colorado,CO,Donald Trump,2,0\r\n994,10/22/2020,what amazes me is trump treating vote as a highschool promqueen thing. that people actually don\xe2\x80\x99t understand how denigrating he is being to them ... i don\xe2\x80\x99t get why you would let someone treat you badly &amp; vote for them. pennsylvania2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n995,10/22/2020,what if trump wins and stockmarkets $spy zooms to 425 i am 100% sure trump is best for $spy,United States of America,California,CA,Donald Trump,0,-0.6\r\n996,10/22/2020,what on earth made him/his campaign think this was a good idea  trump 60minutesinterview  lol disaster votebidenharristosaveamerica bidenharris2020landslide  vote,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n997,10/22/2020,what topics are you most interested in hearing president trump and joe biden debate tonight debates election2020 vote2020 vote,United States of America,Nebraska,NE,Donald Trump,0,-0.1\r\n998,10/22/2020,what would \xe2\x80\x98amerikkka\xe2\x80\x99s most wanted\xe2\x80\x99 icecube and \xe2\x80\x98get rich or die trying\xe2\x80\x99 50cent say to trump,United States of America,California,CA,Donald Trump,0,-0.5\r\n999,10/22/2020,when asked what he\xe2\x80\x99d do differently if he could about his whole covid-19 response donald trump\xe2\x80\x99s reply was \xe2\x80\x9cnot much because people are dying in other countries\xe2\x80\x9d.  in other words his actions were not based on what was right but what others\xe2\x80\x99 reactions were trumpcovid19 trump,United States of America,Arizona,AZ,Donald Trump,0,-0.6\r\n1000,10/22/2020,whew obama finally let loose on what he really thinks of donaldtrump and we are here \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbf for \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbf it \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbf,United States of America,California,CA,Donald Trump,1,0.6\r\n1001,10/22/2020,while campaigning in 2016 trump promised growth of 4% or more. between 2017 and 2019 average annual growth was 2.5% barely faster than the 2.4% of the three preceding years. meanwhile the budget deficit grew from 4.4% of gdp to 6.3%.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1002,10/22/2020,whistleblower news thanks matt_d_cohen for writing trump\xe2\x80\x99s va is trying to scare off whistleblowers during the covid pandemic  via motherjones,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n1003,10/22/2020,who is trump in bed with who does he owe all this money to how do we know he isn\xe2\x80\x99t selling us out or that he doesn\xe2\x80\x99t owe a lot more he has lied for over 4 years saying he would show his taxes but hasn\xe2\x80\x99t because they would show who he owes courierjournal orlandosentinel,United States of America,Nevada,NV,Donald Trump,0,-0.8\r\n1004,10/22/2020,why anybody is surprised at this is beyond me...trump has severe psychological and physiological issues that have to be addressed...,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1005,10/22/2020,why are all trump people freaking crazy,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1006,10/22/2020,why are the people exhausted because of the antics hypocrisy downright lies of the msm covering the truth of corruption greed a walk down the path of marxism communism antiquated failed ideologies it\xe2\x80\x99s boring tiring exhausting trump,United States of America,California,CA,Donald Trump,0,-0.8\r\n1007,10/22/2020,why does rudygiuliani keep meeting with shady characters in baseball caps at the trump hotel this one was igor fruman in ball cap oct. 2019,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1008,10/22/2020,why not join us for our live party in iso and better yet why not join us live on chat.  partytime trump,United States of America,California,CA,Donald Trump,0,-0.1\r\n1009,10/22/2020,why would donald trump have been trying to open a hotel in china probably for the same reason marriott hilton hyatt sheraton best western four seasons and every other american hotel company already did. he already has a dozen hotels around the world. trump maga,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1010,10/22/2020,why. oh why does msnbc allow rick gates to verbalize his delusional beliefs about how trump is the right guy to run this country.  i need to find myself a new favorite tv channel.  any recommendations,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1011,10/22/2020,will more heads roll in the trump admin leadership of the covid19 fight before election day,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1012,10/22/2020,with obama campaigning against trump well see if it's just what's needed to put biden on top.i agree with pundits a bush endorsement for biden would seal the deal.obama may generate a population not really crazy about joe though and convince them to vote.obama trump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1013,10/22/2020,wow bush was the worst thing to happen to america besides for trump. 537votes hbo,United States of America,California,CA,Donald Trump,0,-0.2\r\n1014,10/22/2020,wow so disgusted and my eyes are opened before it was too late. so disrespectful thanks for this. votetrump changedmyvote donaldtrump donaldjtrump  60minutessucksnow 60minutes,United States of America,North Carolina,NC,Donald Trump,0,-0.4\r\n1015,10/22/2020,wow. i did not see this one coming. john piper is among the most conservative of the evangelical leaders. him breaking with trump is huge. really really huge.,United States of America,California,CA,Donald Trump,2,0\r\n1016,10/22/2020,yes obama clinton kerry downplayed human rights &amp; allies &amp; elevated dictators &amp; aggressors. saying trump admin does that is projection for sake of biden campaign. trump admin stronger on humanrights &amp; deterrence but should be consistent &amp; trump shouldn\xe2\x80\x99t flatter dictators.,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1017,10/22/2020,your vote matters. but cancer doesn't care about your politics. claim your free membership to cancer u.  uselection trump biden votes republican democrat cancer healthcare giveaway win health caregivers patients,United States of America,Alabama,AL,Donald Trump,0,-0.4\r\n1018,10/22/2020,z_everson 1100penn here is one of igor fruman also in black ball cap having lunch with rudy at trump hotel the day fruman and parnas got arrested last october. open image.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1019,10/22/2020,\xe2\x80\x9c...keeping president donaldtrump\xe2\x80\x99s pick on track for confirmation before election day.\xe2\x80\x9d from ap,United States of America,New York,NY,Donald Trump,2,0\r\n1020,10/22/2020,\xe2\x80\x9cin lieu of flowers georgia preferred that you do not vote for trump\xe2\x80\x9d her oct. 11 obituary read. election vote trump nc10,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1021,10/22/2020,\xe2\x80\x9ctrump\xe2\x80\x99s quiet war against civilians in iran continues amid the pandemic.\xe2\x80\x9d,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1022,10/22/2020,\xe2\x81\xa6erictrump\xe2\x81\xa9 what a trump thing to do post a doctored picture lying to all of us again like the edited clips of biden saying he\xe2\x80\x99s going to raise taxes on corporations. you left out the on corporations part. now that\xe2\x80\x99s fakenews dumptrump,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1023,10/22/2020,\xf0\x9f\x99\x8f fromyourtexttogodsmessenger trumppleaseexpiresoon trumpistoast trump realdonaldtrump timeforrealleadership bidenharris2020,United States of America,California,CA,Donald Trump,1,0.1\r\n1024,10/22/2020,\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82\xf0\x9f\xa4\xa3 lol diet health fitness gym run covid19 endssars trump biden,United States of America,Florida,FL,Donald Trump,2,0\r\n1025,10/23/2020,donaldtrump healthcare obamacare supremecourt trump wants the supreme court to end obamacare. here's how they'd do it.,United States of America,Idaho,ID,Donald Trump,0,-0.2\r\n1026,10/23/2020,inviting you to join paid2share a site that lets you earn money with social media. i just earned $428.00 and you can too sign up today for a $50 bonus;hashtags=onlinejob earnmoney makemoneyonline onlinemoney i need 4 more people to sign up. trump,United States of America,California,CA,Donald Trump,1,0.1\r\n1027,10/23/2020,trump raises alarm about suicides during the pandemic \xe2\x80\x94 but an increase isn\xe2\x80\x99t \xe2\x80\x98inevitable\xe2\x80\x99 one report says potus trump politicalviews,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1028,10/23/2020,white house\xe2\x80\x99s kudlow says few signs of progress on fiscal stimulus talks politicalviews political trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1029,10/23/2020,$es_f $spx biden trump debate boooorrrriiiinng,United States of America,Illinois,IL,Donald Trump,2,0\r\n1030,10/23/2020,name,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1031,10/23/2020,.....but still confused on what is wrong with obamacare really wish that i could be at the debates and ask for specifics on that. and i really don't trust trump to protect those with pre-existing conditions tbh. debates2020,United States of America,Missouri,MO,Donald Trump,0,-0.3\r\n1032,10/23/2020,...because it\xe2\x80\x99s totally cool for the united states president to \xe2\x80\x9cjoke\xe2\x80\x9d about injecting bleach when tens of thousands of americans are dying from covid19. yup. very funny... trump biden debate coronavirus,United States of America,New York,NY,Donald Trump,1,0.1\r\n1033,10/23/2020,...the only way this would not be a lie donald realdonaldtrump trump dumptrump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n1034,10/23/2020,.annaforflorida our official resistance candidate \xf0\x9f\x99\x8b\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f \xf0\x9f\x98\x82 hamillhimself. i def need a laugh after stressful biden trump debate2020 \xf0\x9f\x98\xab,United States of America,Florida,FL,Donald Trump,1,0.3\r\n1035,10/23/2020,.debates is this going to be a bogus conspiracy theory session  trump is making a mockery of this debate  this is ridiculous and your moderator is not doing her job.  tell her to stop allowing him to spew the nonsense  debates2020 debate2020,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1036,10/23/2020,.jennkovaleski biden trump that guy needs to be arrested,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1037,10/23/2020,.joebiden is right realdonaldtrump has no plan to combat covid19 instead of helping americans with a real stimulus package trump has dragged his feet in supporting all essential workers. debates2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1038,10/23/2020,.joebiden\xe2\x80\x99s \xe2\x80\x9che really is insane\xe2\x80\x9d face... trump realdonaldtrump debate,United States of America,New York,NY,Donald Trump,2,0\r\n1039,10/23/2020,.kwelkernbc a bipoc woman gave us best of the debates. people sayin can she \xe2\x80\x9ccontrol\xe2\x80\x9d trump. please. she commanded respect.\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbcdebate2020,United States of America,Florida,FL,Donald Trump,2,0\r\n1040,10/23/2020,.realdonaldtrump &amp; joebiden both say \xe2\x80\x9ccheck it out\xe2\x80\x9d debates2020 presidentaldebate biden trump election2020,United States of America,Texas,TX,Donald Trump,2,0\r\n1041,10/23/2020,.realdonaldtrump seems bewildered when joebiden says he's comparing himself to abrahamlincoln.  no not since abrahamlincoln. not a comparison at all says trump.,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n1042,10/23/2020,1-bombshelliran interfered in u.s. election 2 damage trump by posing as right-wing group &amp; threatening democrats feds say\xe2\x80\x94\xe2\x80\x9cdirector of national intelligence john ratcliffe confirmed on wed evening that the islamic republican of iran \xe2\x80\x94 the world\xe2\x80\x99s...,United States of America,North Carolina,NC,Donald Trump,0,-0.7\r\n1043,10/23/2020,1-joebiden will ban fracking &amp; destroy the energyindustry. \xe2\x80\x9c- october 232020\xe2\x80\x93while president trump proposes pro-growth policies 2 deliver the great american comeback &amp; maintain energy independence joe biden would happily sacrifice millions of good...,United States of America,North Carolina,NC,Donald Trump,0,-0.2\r\n1044,10/23/2020,10/24/2020- the room trump donaldtrump presidenttrump leastracistpersoninthisroom leastracistperson leastracistpersonintheroom,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1045,10/23/2020,12 days till election2020 and donaldtrump still does not have a healthcareplan did not sign a daca plan still has not condem russia for bounties on our soldiers still has not released his taxes. liesafterlies vote trumpout \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 projectlincoln americaortrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n1046,10/23/2020,15 minutes into the presidentialdebate2020 trump is staying calm and presenting a case to his supporters and possible undecided voters about his record on the pandemic.  given covid19 fatigue offering hope could be appealing.,United States of America,Rhode Island,RI,Donald Trump,0,-0.3\r\n1047,10/23/2020,1994 really i want to know what you've done since then we're in 2020 what are you going to do now wtf has trump done other than make concentrationcamps  presidentialdebate2020  votebidenharristosaveamerica votebiden votebluetosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1048,10/23/2020,19th &amp; 22nd sba offering loan forgiveness for ppp loans &amp; takeaways from biden/trump debate...    sba  ppp  ppe sba smallbusinessadministration loans presidentialdebate2020 biden  trump,United States of America,Georgia,GA,Donald Trump,2,0\r\n1049,10/23/2020,1st time in the history of america will the candidates be required to wear a mask  stand 6ft apart with plexiglass between them.  are we great again yet donaldtrump kamalaharris andrewcuomo president barackobama davidaxelrod cuomoprimetime chriscuomo robreiner rosie,United States of America,Illinois,IL,Donald Trump,1,0.2\r\n1050,10/23/2020,2 out of 3 americans think the us gov't falls short in climate action yet trump attacks biden because he wants to phase out fossil fuels yes that is what science requires. trump lives in an alternate universe. biden can transition us with compassion.,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1051,10/23/2020,4 winners and 5 losers from the last bidentrumpdebate  via voxdotcom news secondpresidentialdebate2020 election2020 electionday 2020election trump biden bidenharris2020 bidenharris bidenharris2020tosaveamerica,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1052,10/23/2020,400000 thousands small businesses closed under the trump administration while he golfed.  people deserve a president who cares about them.,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n1053,10/23/2020,500 children cannot be reunited with their families immigration failure ins trump puts kids in cages. noplan debatetonight,United States of America,California,CA,Donald Trump,0,-0.2\r\n1054,10/23/2020,545 kids have lost their parents trump says \xe2\x80\x9cgood\xe2\x80\x9d  debates2020,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1055,10/23/2020,60minutes  no matter what trump she says not true or unverified. you guys are a fucking joke.  what a sham ratcliffe verified. cbsnews    your gate keeping days are over.  hit piece  with an over the hill democrt,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1056,10/23/2020,7 ways the trump administration is harming the climate  via worldresources trump environment climate policy,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1057,10/23/2020,750 dollars i think that was a filing fee trump,United States of America,New Jersey,NJ,Donald Trump,0,-0.5\r\n1058,10/23/2020,8 years biden built cages joebiden realdonaldtrump trump biden and he has zero clue about immigration ...zero...they never come back,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1059,10/23/2020,91 freeway maga and suck it suckitjoeybago 24valve5150 bobseegerjr_ftw rogieblackflys thephriendlyghost maga trump trump2020 california intrumpwetrust americaiswithtrump  ca-91/green river rd,United States of America,California,CA,Donald Trump,0,-0.5\r\n1060,10/23/2020,99% of people recover from covid19 is that a damn fact trump  prove it  debates2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1061,10/23/2020,a catholic person doesn't mean you a christian christian means christ like republicans are affiliated with catholics not christians a catholic can be a christian but they don't have to be some are fake as a 30 dollar bill republicansforbiden trump,United States of America,Kentucky,KY,Donald Trump,0,-0.2\r\n1062,10/23/2020,a debate quickie cartoon. trump biden election2020 good immigration familyseparation kidsincages good,United States of America,North Carolina,NC,Donald Trump,1,0.4\r\n1063,10/23/2020,a group of \xe2\x80\x9ci\xe2\x80\x99m a florida trump girl\xe2\x80\x9ds at trump maga rally in pensacola \xe2\x81\xa6pnj\xe2\x81\xa9,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n1064,10/23/2020,a plan is what bidenharris2020 has trump has none facts debates2020,United States of America,Ohio,OH,Donald Trump,0,-0.7\r\n1065,10/23/2020,a trump supporter,United States of America,Florida,FL,Donald Trump,2,0\r\n1066,10/23/2020,a_westerly because the name trump has been attached to so many successful lawsuits proving they are family of frauds. i can't trust anything with their name on it as being valid and/or unharmful.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1067,10/23/2020,abrahamlincoln joebiden donaldtrump racism,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1068,10/23/2020,absolutely disgusting how the president of the united states gives zero fuks bout states that are run by democrats. what a petty pathetic joke of a president. we can do better and come november 3rd we will. time to flush this turd. voteearly vote trump debate2020 debate,United States of America,Oregon,OR,Donald Trump,0,-0.4\r\n1069,10/23/2020,actual footage of the presidential race. election2020 trump biden presidentialdebate2020 president espn hodgetwins titoortiz iheartmindy ttt barstoolsports,United States of America,Nevada,NV,Donald Trump,2,0\r\n1070,10/23/2020,add fridayfeeling trumpispathetic trump2020tosaveamerica trump,United States of America,Missouri,MO,Donald Trump,2,0\r\n1071,10/23/2020,again joebiden gives donaldtrump an opening with the i know russia well declaration. interesting. debatetonight debates2020,United States of America,Georgia,GA,Donald Trump,1,0.5\r\n1072,10/23/2020,ahhh... trump thinks he\xe2\x80\x99s getting a win by stating that he in fact did not say he is abraham lincoln. so glad we cleared that up. maybe he should talk about policy debates2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1073,10/23/2020,all i hear from trump is lie lie lie lie lie ....  debates2020 debatetonight presidentialdebate2020 debates,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1074,10/23/2020,all talk no actions trump no taxes no healthcare no infrastructure no reunited kids debates2020,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1075,10/23/2020,allisonholker kellyannepolls this shocked me as well.  i thought that was such an easy question for him to lay out vision.  but he moaned for 2 mins. i guess that\xe2\x80\x99s donaldtrump filled the vision vacuum in his head.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1076,10/23/2020,amazing. trump challenges biden on the biggest story of this election cycle and the moderator completely ignores it. 2020debate,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1077,10/23/2020,america rejects trump debates2020,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1078,10/23/2020,americans forced to choose between trump and biden presidentialdebate2020,United States of America,Ohio,OH,Donald Trump,0,-0.6\r\n1079,10/23/2020,amyconeybarrett here come cones amy her true self  shutting down anyone who thinks differently from her trump picked a paranoid premodona,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1080,10/23/2020,an elected official thought trump was referring to real coyotes in last night\xe2\x80\x99s debate. lord have mercy \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,Ohio,OH,Donald Trump,0,-0.1\r\n1081,10/23/2020,anacabrera we\xe2\x80\x99re rounding the turn. people are getting use to living with it. trump,United States of America,Tennessee,TN,Donald Trump,0,-0.1\r\n1082,10/23/2020,and how long will this trump tax audit take exactly for as long as he\xe2\x80\x99s president debates2020 presidentialdebate2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1083,10/23/2020,and i must go back to what donaldtrump said awhile back ago. stop talking shit about nygovcuomo. he is the 1st reason why newyorkcity is doing as great as it is doing right now damnit just wearamask  debatetonight debate2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1084,10/23/2020,and..we won tonight. trump presidentialdebate2020 debatetonight,United States of America,Texas,TX,Donald Trump,1,0.3\r\n1085,10/23/2020,andyswan you\xe2\x80\x99re in grief andy. based on your texts last night you just lost a great aunt you loved. take a break &amp; spend some time reflecting. elections come elections go. the loss of a loved one is forever. get with those you love &amp; who love you. trump cares not for you. they do.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1086,10/23/2020,andyswan you\xe2\x80\x99re in grief andy. based on your texts last night you just lost a great aunt you loved. take a break &amp; spend some time reflecting. elections come elections go. the loss of a loved one is forever. get with those you love &amp; who love you. trump cares not for you. they do.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1087,10/23/2020,angrierwhstaff bewarnedimirish 545 children are orphans because trump ripped them from the arms of their parents with no plan to reunite them if this doesn't piss you off you aren't human let alone christian,United States of America,Virginia,VA,Donald Trump,0,-0.9\r\n1088,10/23/2020,another covid19 treatment touted by trump admin shows no benefit in a large clinical trial -- convalescent plasma therapy.  remember when trump called us_fda employees the deep state for failing to rush approval,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1089,10/23/2020,answer the question how will you reunite the 545 kids in your cages trump\xf0\x9f\xa4\xae debates2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n1090,10/23/2020,anybody else not care about potus tax returns debates2020 redwave2020 republicans trump sleepyjoebiden,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1091,10/23/2020,anyone else notice subliminal messaging realdonaldtrump \xe2\x80\x9cright\xe2\x80\x9d trump election2020\xc2\xa0 votetrump2020tosaveamerica debates2020,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1092,10/23/2020,anyone playing a drinking game or have bets on whether or not the prez will a. take a covid test or b. storm out stronglywordedpod presidentialdebate2020 presidentialdebate biden trump debatefly,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n1093,10/23/2020,anyone responsible for that many deaths should not remain president...stronglywordedpod presidentialdebate2020 presidentialdebate biden trump debatefly,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1094,10/23/2020,anyone who votes for fucking trump please unfollow me,United States of America,California,CA,Donald Trump,0,-0.8\r\n1095,10/23/2020,anyone who\xe2\x80\x99s been in an abusive relationship recognizes similar personality traits in trump during a debate. he\xe2\x80\x99s always the victim. you made him do this. if he hurt you it wasn\xe2\x80\x99t on purpose but it wasn\xe2\x80\x99t that bad. and you should still love him. trumpmeltdown debates2020,United States of America,New York,NY,Donald Trump,2,0\r\n1096,10/23/2020,aoc i love how trump continues to elevate your relevance and impact on america. good on you...,United States of America,New York,NY,Donald Trump,1,0.8\r\n1097,10/23/2020,aoc no it coveys a lot that you want to be recognized as better or higher up than the american people  aocplus3 trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1098,10/23/2020,aoc plus 3 is a great band name presidentialdebate2020 aoc donaldtrump aoc,United States of America,New York,NY,Donald Trump,1,0.5\r\n1099,10/23/2020,aoc plus 3 what the hell trump debatetonight,United States of America,California,CA,Donald Trump,0,-0.6\r\n1100,10/23/2020,ap fact check falsehoods and fumbles in trump-biden debate  biden trump election2020,United States of America,New Mexico,NM,Donald Trump,0,-0.4\r\n1101,10/23/2020,apparently even good ol\xe2\x80\x99 abe couldn\xe2\x80\x99t do what donald has done for the black community \xf0\x9f\x98\x82\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f trump debates2020  lincoln is cussing up a storm just about now,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1102,10/23/2020,are we senile or wasn\xe2\x80\x99t there already a pretty healthy check sent to most american households as covid relief why is the media and biden acting like trump has done nothing to help debates debatenight 2020election,United States of America,South Carolina,SC,Donald Trump,0,-0.8\r\n1103,10/23/2020,arifleischer i found it fascinating with the question what would you say to the american people on inauguration day joebiden knew what he'd say. he improvised a whole speech.  donaldtrump had no idea and just complained for 2 mins  omg. am i the only one who saw that  maga,United States of America,New York,NY,Donald Trump,2,0\r\n1104,10/23/2020,arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter cat catsofinstagram  kittens trump,United States of America,Texas,TX,Donald Trump,2,0\r\n1105,10/23/2020,arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter cat catsofinstagram  kittens trump,United States of America,Texas,TX,Donald Trump,2,0\r\n1106,10/23/2020,arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter cat catsofinstagram  kittens trump -,United States of America,Texas,TX,Donald Trump,2,0\r\n1107,10/23/2020,arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter cat catsofinstagram  kittens trump -,United States of America,Texas,TX,Donald Trump,2,0\r\n1108,10/23/2020,arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter cat catsofinstagram  kittens trump -,United States of America,Texas,TX,Donald Trump,2,0\r\n1109,10/23/2020,as a latino that do not support trump i'm happy to see this...maybe just maybe those latinosportrump will get it. proof that asshole wrong and votehimout bidenharris2020 biden,United States of America,Nevada,NV,Donald Trump,0,-0.3\r\n1110,10/23/2020,as difficult as this may sound this is a fact timemagazine did name hitler man of the year b4 ww2 election2020\xc2\xa0 coronavirus debates2020\xc2\xa0 vote\xc2\xa0 bbc newsoftheworld newsmax cbs nyt amycomeybarrett potus donaldtrump joebiden foxnews cnn msnbc 7news abc noticias,United States of America,California,CA,Donald Trump,0,-0.4\r\n1111,10/23/2020,as if we can trust *anything* the trump campaign says.,United States of America,California,CA,Donald Trump,1,0.4\r\n1112,10/23/2020,ask trump about black people and he talks about prisons... but he\xe2\x80\x99s not a racist right dumptrump2020  trumpisaloser trumpracist,United States of America,California,CA,Donald Trump,0,-0.6\r\n1113,10/23/2020,at the end of this debate realdonaldtrump should end thanking kwelkernbc for a fair debate and not the usual hit job. he would score some points. trump debates2020 debatetonight biden,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n1114,10/23/2020,at this point my only issue with debate2020 is the video framing. trump is framed larger. likely because he's a larger man. sadly this is impactful and should be addressed.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1115,10/23/2020,at trump maga rally in pensacola \xe2\x81\xa6pnj\xe2\x81\xa9,United States of America,Florida,FL,Donald Trump,2,0\r\n1116,10/23/2020,at trump maga rally in pensacola \xe2\x81\xa6pnj\xe2\x81\xa9,United States of America,Florida,FL,Donald Trump,2,0\r\n1117,10/23/2020,athos porthos &amp; aramis one4all all4one presidentialdebate aoc trump bidenharris2020,United States of America,Utah,UT,Donald Trump,2,0\r\n1118,10/23/2020,atrupar biden brings up that trump pushed for the death penalty for the central park 5 a group of black and latino teens who were innocent,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1119,10/23/2020,atrupar nobody has done more for the black community than donald trump -- totally absurd.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1120,10/23/2020,atrupar wow just when you think trump couldn\xe2\x80\x99t  get any dumber\xf0\x9f\xa4\xa3,United States of America,California,CA,Donald Trump,1,0.1\r\n1121,10/23/2020,bahahaahahahahhaha trump is so amazing bahaahaa phhhhhhh i can\xe2\x80\x99t stop laughing oooooooooo i love this muhahahaaa dextrump look how nice this debate is going because this lady is behaving. so refreshing trump shining trump2020,United States of America,Florida,FL,Donald Trump,1,0.9\r\n1122,10/23/2020,barackobama. and the mind sputtering joebiden. did not care about prison reform. realdonaldtrump. does. 8 years of dancing to al green obama did nothing joe apologized. vote trump,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1123,10/23/2020,baruchdebatewatch is about to begin if you haven't registered  check here we will be rt'ing prominent journalists news outlets etc. then tweeting expert commentary from the debate watch debatenight trump biden coronavirus,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1124,10/23/2020,be careful trump when talking about blacklivesmatter,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n1125,10/23/2020,be sure to keep all proof that trump is a racist. he\xe2\x80\x99s got to go. presidentialdebates2020 presidentialdebate trumpisnotamerica,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n1126,10/23/2020,beautiful healthcare shutupman trump debatetonight,United States of America,California,CA,Donald Trump,1,0.8\r\n1127,10/23/2020,beautiful healthcare where is the written plan  trump debates2020,United States of America,New York,NY,Donald Trump,1,0.7\r\n1128,10/23/2020,beganright msnbc realdonaldtrump joebiden you can post all the articles you want but trump is still a racist instigator.,United States of America,California,CA,Donald Trump,0,-0.2\r\n1129,10/23/2020,benshapiro nature will eventually end the oil industry unless trump has a plan to repopulate the dinosaurs.,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1130,10/23/2020,berniesanders rbreich it cost more to treat trump than he paid in taxes.   this sounds like socialism for the rich.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1131,10/23/2020,berniesanders watching the debate tonight berniesanders donaldtrump joebiden debate2020,United States of America,California,CA,Donald Trump,2,0\r\n1132,10/23/2020,betting markets give trump slightly improved chances after debate,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1133,10/23/2020,biden blatantly lying about not calling trump xenophobic and racist.  biden sure as hell did when trump closed the borders to chinese travelers.  wasn\xe2\x80\x99t in \xe2\x80\x9canother context\xe2\x80\x9d as biden just stated. maga trump2020 presidentialdebate,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1134,10/23/2020,biden brought us the aca you fucking moron trump,United States of America,Nevada,NV,Donald Trump,0,-0.9\r\n1135,10/23/2020,biden can\xe2\x80\x99t win his battle with dementia debates trump biden,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1136,10/23/2020,biden compares trump\xe2\x80\x99s diplomacy to appeasing hitler after hawks said the same about reagan\xe2\x80\x99s russia diplomacy ampfw \xe2\x81\xa6jackhunter74\xe2\x81\xa9,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1137,10/23/2020,biden election debate trump biden called super predators...  trump is the most pro- black president who has ever lived and democrats have everyone thinking he\xe2\x80\x99s racist.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1138,10/23/2020,biden election debate trump easy ball question ...\xe2\x80\x9dcome on man\xe2\x80\x9d -,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1139,10/23/2020,biden election debate trump. election2020 his exasperated act is. it winning anyone. please. all act-,United States of America,New York,NY,Donald Trump,2,0\r\n1140,10/23/2020,biden election debate trump. election2020 \xe2\x80\x9csuccess is going to bring us together\xe2\x80\x9d love this message,United States of America,New York,NY,Donald Trump,1,0.3\r\n1141,10/23/2020,biden has an edge bc realdonaldtrump is extremely repetitive and predictable. trump biden presidentialdebate,United States of America,California,CA,Donald Trump,0,-0.2\r\n1142,10/23/2020,biden he takes no responsibility for the virus trump i take full responsibility. it was china's faultpresidentialdebate presidentialdebate2020,United States of America,Colorado,CO,Donald Trump,0,-0.3\r\n1143,10/23/2020,biden is a 40 year career politician that molded his taxes for politicians... trump was a private citizen until 2016 and his taxes like you do.,United States of America,Minnesota,MN,Donald Trump,0,-0.5\r\n1144,10/23/2020,biden is coming out with the trump receipts  china russia golf courses etc. presidentialdebate2020 debates2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1145,10/23/2020,biden is doing a fair job of proving that trump hasn\xe2\x80\x99t done much of anything and has no plans.  trump is just helping him. joewillleadus debates2020,United States of America,New Jersey,NJ,Donald Trump,2,0\r\n1146,10/23/2020,biden is going to get the coronavirus at the debate. trump is contagious. trump biden presidentialdebate2020,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1147,10/23/2020,biden is not doing so horribly.  but if each debate is an expectations game the trump performance which is on target and even restrained is a home run so far. debates2020,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1148,10/23/2020,biden is right. trump is xenophobic. and trump did virtually nothing to prevent coronavirus. we have 4% of global population &amp; 20% of covid deaths. that's a failure of national leadership. debates2020,United States of America,Missouri,MO,Donald Trump,0,-0.2\r\n1149,10/23/2020,biden is verbally butt fucking trump presidentialdebate2020,United States of America,California,CA,Donald Trump,0,-0.9\r\n1150,10/23/2020,biden leads trump in pennsylvania by 7 points in election\xe2\x80\x99s home stretch new mcall/muhlenberg poll shows,United States of America,Puerto Rico,PR,Donald Trump,2,0\r\n1151,10/23/2020,biden likens trump's north korea approach to having a 'good relationship with hitler'  debates2020 debates debatetonight trump biden election2020 elections2020,United States of America,California,CA,Donald Trump,1,0.1\r\n1152,10/23/2020,biden now just making shit up because trump  nailed him.  \xe2\x80\x9cthe big man\xe2\x80\x9d got caught with his hand in the russian chinese and ukrainian cookie jars.  maga trump2020 presidentialdebate,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1153,10/23/2020,biden robot starting to short circuit trump,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n1154,10/23/2020,biden says trump is unwilling to take on putin  debates2020 debates debatetonight trump biden election2020 elections2020,United States of America,California,CA,Donald Trump,0,-0.7\r\n1155,10/23/2020,biden supporter rides past at trump maga rally in pensacola \xe2\x81\xa6pnj\xe2\x81\xa9,United States of America,Florida,FL,Donald Trump,2,0\r\n1156,10/23/2020,biden swipes at trump ally giuliani at debate he's 'being used as a russian pawn' trump politics potus,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1157,10/23/2020,biden trump fumble the ball again on blk issues but demand our votes  via youtube blackvotersmatter thedebateinsixwords debates2020 crookedjoebiden trumpispathetic fba flynubianqueen,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1158,10/23/2020,biden trump was the one who got in trouble in ukraine  debates2020 debates debatetonight trump biden election2020 elections2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n1159,10/23/2020,biden vs trump who won the debate,United States of America,New York,NY,Donald Trump,2,0\r\n1160,10/23/2020,biden wants ro raise minimum wage and trump says forget about it...that's not helping. deadlinewh debatetonight trumpmeltdown debates2020 debate2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1161,10/23/2020,biden's q2 rebuttal to trump on that point immediately had me thinking about mystikal. ha \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 q2 on vaccines debates2020 debates,United States of America,California,CA,Donald Trump,1,0.3\r\n1162,10/23/2020,bidenwon because he was calm presidential and not a chameleon like trump.  joewillleadus,United States of America,Massachusetts,MA,Donald Trump,1,0.5\r\n1163,10/23/2020,black brown kids prepare for the thetalk joebiden donaldtrump,United States of America,Florida,FL,Donald Trump,2,0\r\n1164,10/23/2020,blah blah blah\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82 you\xe2\x80\x99re dome trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1165,10/23/2020,blaming realdonaldtrump for covid19 is like blaming the dinosaurs for the chixculub asteroid donaldtrump crookedjoebiden 2020election lexit walkaway,United States of America,California,CA,Donald Trump,0,-0.6\r\n1166,10/23/2020,bobcesca_go trump still doesn't think covid is a problem.,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1167,10/23/2020,bobhardt benyt come on man the abraham lincoln reference was a sarcastic poke at trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1168,10/23/2020,boom \xf0\x9f\x92\xa5 this story is done and over. we are all sick and tired of it it\xe2\x80\x99s been proven baseless and false many many times put it to rest...... it\xe2\x80\x99s over trumpispathetic trumpmeltdown trump,United States of America,Oklahoma,OK,Donald Trump,0,-0.4\r\n1169,10/23/2020,both trump &amp; biden share the belief that the united states can outmaneuver china in the future development of renewable energy systems.   via tribunedemocrat michael_stumo,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1170,10/23/2020,bourbonislove not interrupting and shouting over your opponent in a debate should start you at 0. baseline. the gop thinks this newfound idea of not shouting and interrupting should start trump at 90 out of 100. look at how good he did debates2020 trumpmeltdown trump bidenharris2020,United States of America,California,CA,Donald Trump,0,-0.1\r\n1171,10/23/2020,brag blame brag blame brag blame brag blame brag blame brag blame brag blame brag blame brag blame trump at the debatetonight,United States of America,California,CA,Donald Trump,0,-0.6\r\n1172,10/23/2020,breaking it\xe2\x80\x99s official trump removes sudan from list of terrorism and officially informs congress,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1173,10/23/2020,breaking news the trump administration just released their healthcare plan after tonight\xe2\x80\x99s debate \xf0\x9f\x91\x87\xf0\x9f\x8f\xbc,United States of America,California,CA,Donald Trump,0,-0.6\r\n1174,10/23/2020,breaking911 except it\xe2\x80\x99s trump who has the chinesebankaccount \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1175,10/23/2020,bubbawallace is probably raging that he has to drive a vote red car next weekend... trump2020 red votred trump realdonaldtrump donaldjtrumpjr traptofficial,United States of America,Arizona,AZ,Donald Trump,0,-0.2\r\n1176,10/23/2020,by what jurisdiction do we as powerless blacc people have a platform to complain about donaldtrump whose been a politician for 4 years as opposed to joebiden that has had 47 years that are still relegating us to the back-burner of after the election on the cwba plan,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n1177,10/23/2020,call 310 208 enzo now \xf0\x9f\x93\xb1 free delivery \xf0\x9f\x9a\x98 trump biden 2020election \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Donald Trump,1,0.2\r\n1178,10/23/2020,can he state what exactly his \xe2\x80\x9csomething\xe2\x80\x9d was that they gave him in the hospital why isn\xe2\x80\x99t being given to more patients donaldtrump debates2020 biden2020,United States of America,Massachusetts,MA,Donald Trump,0,-0.8\r\n1179,10/23/2020,can i get the trump irs treatment $750,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n1180,10/23/2020,can someone please handcuff him the flailing hands are driving me nuts. trump debatetonight,United States of America,California,CA,Donald Trump,0,-0.4\r\n1181,10/23/2020,can the irs fact check the president irsnews realdonaldtrump joebiden joebiden donaldtrump debatetonight,United States of America,New Mexico,NM,Donald Trump,0,-0.3\r\n1182,10/23/2020,can trump use any other words than incredible beautiful or smart guy is talking in circles trumpmeltdown debates2020 debatetonight presidentialdebate2020,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n1183,10/23/2020,can you guess trump's twitter password this hacker did.  accounthacking password trump twitter via wersm,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1184,10/23/2020,can you imagine being married to a dishonest bloviating shithead like trump        debates2020,United States of America,California,CA,Donald Trump,0,-0.9\r\n1185,10/23/2020,can you in your wildest imagination ever see trump doing this photo petesouza biden,United States of America,New York,NY,Donald Trump,1,0.4\r\n1186,10/23/2020,charliekirk11 update trump won the debate,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1187,10/23/2020,check out cody cosh's video tiktok with the hard \xe2\x80\x9cr\xe2\x80\x9d.. woah. can\xe2\x80\x99t imagine if this was \xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 bidenharris2020 biden trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n1188,10/23/2020,check out erica_keeps_it_real_advocate's video tiktok that was mean of trump pushed her hand  then pushed her away  ignorant jackass,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1189,10/23/2020,check out jeff's video tiktok trump russian trumpispathetic,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1190,10/23/2020,check out nicholas jarret's video tiktok trending trump 60minites cnn msnbc abc foxnews,United States of America,Nevada,NV,Donald Trump,1,0.1\r\n1191,10/23/2020,check out pip squeak's video tiktok trump trumpisnotwell trumpchinabankaccount trumpcult,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1192,10/23/2020,china china china irs nancypelosi etc just blame blame and blame trump,United States of America,Alaska,AK,Donald Trump,0,-0.7\r\n1193,10/23/2020,china has huge hydroelectric plants so yeah china will lead us again. debatetonight trump,United States of America,New York,NY,Donald Trump,1,0.2\r\n1194,10/23/2020,chrislhayes trump clarified it later. he meant least racist on that side of the stage... trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1195,10/23/2020,christineromans you just jump into newday show spreading viewers w/bunch of unverified garbge on trump tax returns typical cnn bs,United States of America,California,CA,Donald Trump,0,-0.6\r\n1196,10/23/2020,chuckgrassley show the records  don\xe2\x80\x99t keep them \xe2\x80\x9csecret\xe2\x80\x9d like trump healthcare plan or trump taxreturns or trump bank accounts with china \xe2\x80\x99 trumpcrimefamily,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1197,10/23/2020,citizenwonk another event where either she won't be holding hands with trump or yanking it away to show contempt.,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1198,10/23/2020,classic trump contradicting himself one sentence after the other.,United States of America,Washington,WA,Donald Trump,2,0\r\n1199,10/23/2020,claws drawn. debates2020 debate2020 trump biden,United States of America,Georgia,GA,Donald Trump,2,0\r\n1200,10/23/2020,cleverpolitics debatetonight cnn trump votehimout trump gop he knows your iq is low if you think corn pop is your guy.,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1201,10/23/2020,close your eyes. picture this debate. you see the two men on stage can you see it can you now...picture kamalaharris on this stage...standing across from trump addressing his lies. debates2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1202,10/23/2020,cnn and the dems have no idea how to get out of the web they weaved. russiahoax trump,United States of America,Michigan,MI,Donald Trump,0,-0.4\r\n1203,10/23/2020,cnn don't worry everybody the 500 kids separated from their families are living in nice facilities.  who needs parents when your cage is nice debates2020 trump,United States of America,Missouri,MO,Donald Trump,0,-0.2\r\n1204,10/23/2020,cnn realjameswoods chinese news network hates trump because he lies but loves biden because he tells alternatetruths,United States of America,California,CA,Donald Trump,1,0.2\r\n1205,10/23/2020,colleagues my new foreign policy article today on why full spectrum warfare better depicts our new era than the label of cold war...welcome to the new era of full spectrum warfare china russia trump obama,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1206,10/23/2020,consumers' ranked trump's personality as one of the top 3 issues influencing their vote. see what other factors are influencing them as well their attitudes towards voting.  insights,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n1207,10/23/2020,continued to mislead.trump's rally on february 28th. he called the covid a hoax started by the democrates feb 28th covid19 biden harris filthyindia covid_19 trump,United States of America,Georgia,GA,Donald Trump,0,-0.6\r\n1208,10/23/2020,coronavirus trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1209,10/23/2020,coryhepola wcco plays a commercial for trump at every station break. that is 'cco's option &amp; you don't control that. in the ad it says trump is going to stop antifa who is burning down our cities. where is antifa where is the burning i don't get it.,United States of America,Minnesota,MN,Donald Trump,0,-0.5\r\n1210,10/23/2020,covid19 trump,United States of America,California,CA,Donald Trump,2,0\r\n1211,10/23/2020,coward trump blacktwitter,United States of America,Louisiana,LA,Donald Trump,0,-0.7\r\n1212,10/23/2020,cricket_the_bostonterrier support our president trump 2020\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8cricket trump trump2020 trump2020\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Donald Trump,2,0\r\n1213,10/23/2020,currently at women for trump event in manchester,United States of America,New Hampshire,NH,Donald Trump,2,0\r\n1214,10/23/2020,dancrenshawtx then how do you explain trump\xe2\x80\x99s attacks to the democrat run states for the mismanagement of pandemic while the republican states are currently seeing the big surge in the number of cases isn\xe2\x80\x99t it scary as the president to be so ignorant of such critical facttrumpisnotamerica,United States of America,California,CA,Donald Trump,0,-0.8\r\n1215,10/23/2020,dang that kamalaharris debate was fire compared to this. bunch of malarky trump tossing the name aoc name for no reason.,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n1216,10/23/2020,danrather i\xe2\x80\x99m worried that when trump stops the act that people who don\xe2\x80\x99t know any better actually believe what he says.,United States of America,Massachusetts,MA,Donald Trump,0,-0.9\r\n1217,10/23/2020,danscavino realdonaldtrump realdonaldtrump  joebiden and the immediate biden crime family got bobulinskied lyingjoebiden as some people hate trump more than they love america \xe2\x80\x9cthey are so far left they forgot what\xe2\x80\x99s right.\xe2\x80\x9d \xc2\xa9 zouvelosgeorge 2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1218,10/23/2020,danscavino sidneypowell1 biden can\xe2\x80\x99t draw 10 people. how can he be ahead of or even close to trump in the polls,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n1219,10/23/2020,darrenthediva fitter_knitter iamstephbeatz wrong. our president is protecting us not illegal immigrants. the adult made the decision to come here illegally and rather than put the kid in prison with the law breaking immigrant they get put in custody of dhs. dhs is at fault for not keeping track of the kids. trump,United States of America,Arizona,AZ,Donald Trump,0,-0.5\r\n1220,10/23/2020,davidenrich gtconway3d washingtonpost realdonaldtrump it is in the character of trump to sell out the country to pay his debts.   trump must be defeated and then he must be prosecuted.,United States of America,California,CA,Donald Trump,0,-0.5\r\n1221,10/23/2020,davidhogg111 so pathetic that trump will get pats on the head for behaving.,United States of America,Arizona,AZ,Donald Trump,0,-0.8\r\n1222,10/23/2020,day 1444 fuck trump,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n1223,10/23/2020,dbongino actually russia translated their talking points for your boy trump to use in tonight\xe2\x80\x99s debate,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1224,10/23/2020,ddale8 joncoopertweets trumplieseverytimehespeaks trumpispathetic trumpmeltdown so trump admitted to having many more accounts \xf0\x9f\xa4\x94 china russia saudi wonder who else owns this president votehimout vote voteeveryrepublicanout votethemallout votebluedownballot,United States of America,California,CA,Donald Trump,0,-0.3\r\n1225,10/23/2020,ddale8\xe2\x80\x99s head must be spinning after tonight\xe2\x80\x99s presidentialdebate2020. well done and thank you for factchecking all of the trump lies.,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1226,10/23/2020,dead people walking. trumprally trump covidiots covid19 orlando florida. how many of these will die before they can vote  votersuppression,United States of America,Nevada,NV,Donald Trump,0,-0.4\r\n1227,10/23/2020,dear ira iprepaid my taxes like trump i\xe2\x80\x99ve over paid many moons debates2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1228,10/23/2020,debate biden giving real stats on covid. still reeling from the trump statement that people in europe are congratulating him on his great leadership on the pandemic. \xf0\x9f\xa4\xa3,United States of America,New York,NY,Donald Trump,1,0.1\r\n1229,10/23/2020,debate here we go. trump stating that mentalhealth suicide drugaddiction etc are going up because the country has been closed down. um not exactly. it's due to almost 4 years of trump. back to ny as a ghost town.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1230,10/23/2020,debate kwelkernbc gives the audience talk. trump getting his meds. biden gettting a kiss from his wife.,United States of America,New York,NY,Donald Trump,2,0\r\n1231,10/23/2020,debate kwelkernbc is pushing trump on his info on covid and the vaccine. biden we're going to go into a dark winter. trump back to china.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1232,10/23/2020,debate kwelkernbc is welcoming the country to the final mano a mano.  biden comes on wearing his mask. 6 major topics are being covered. going over the mic rules...so americans can hear every stinking word. 1st question is covid. to trump.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1233,10/23/2020,debate recap debates2020 trump biden vote | subscribe,United States of America,Massachusetts,MA,Donald Trump,1,0.4\r\n1234,10/23/2020,debate trump at the debate  his rhetoric is getting old  turn your lies  on your foe  nazigermany did it  but donaldtrump the americanpublic catching on  your congames not working,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1235,10/23/2020,debate trump claiming he never got any money from russia and throwing out the mayorswife routine to biden.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1236,10/23/2020,debate trump going into the routine they left me a mess. going on. where's the mute button,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1237,10/23/2020,debate trump now trying to smear biden. trying to blame him for all the stuff he is guilty for. bad salesmanship. biden mentions how trump hasn't released his taxes. same crap abt his accountant. oh well. he can release them from jail.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1238,10/23/2020,debate trump starting to trash kamalaharris. dont go there,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1239,10/23/2020,debate2020 biden2020 said average contribution tohis campaign is $43. what is the average trump contribution. wddwm,United States of America,Arkansas,AR,Donald Trump,2,0\r\n1240,10/23/2020,debate2020 debatetonight i\xe2\x80\x99m confused. i watch david attenborough and nature shows all the time. i had never heard of coyotes carrying children wolf \xf0\x9f\x90\xba trump is responsible for ripping children from their families and putting them in cages. trump is a horrible human,United States of America,Washington,WA,Donald Trump,0,-0.4\r\n1241,10/23/2020,debate2020 trump biden,United States of America,Kentucky,KY,Donald Trump,2,0\r\n1242,10/23/2020,debate2020 trump starts off with the lie that he\xe2\x80\x99s immune. this is not a fact. factcheck,United States of America,California,CA,Donald Trump,0,-0.3\r\n1243,10/23/2020,debate2020 trump starts with a lie about covid19 claiming he is immune. factchecked it\xe2\x80\x99s not true. others have been reinfected and some have died.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1244,10/23/2020,debate2020 trumpmeltdown trump votebiden,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1245,10/23/2020,debates super kwelkernbc asking abt environmentaljustice and frontline communities. trump has the balls to say these communities are making money from these factories wrong ask drbobbullard what the story is.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1246,10/23/2020,debates2020   indeed congrats to all trump biden and the chair  kristinwelker chair. not sure anything new but a much better debate.good luck america.,United States of America,New York,NY,Donald Trump,1,0.5\r\n1247,10/23/2020,debates2020  again trump is allowed to respond to everything and biden is not  stop that. debates,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n1248,10/23/2020,debates2020  biden ruined blacks the economy and did nothing 4 47 years   trump killed him with facts...biden lies,United States of America,Arizona,AZ,Donald Trump,0,-0.9\r\n1249,10/23/2020,debates2020 biden faulted trump for doing virtually nothing to head off covid19 we\xe2\x80\x99re about to go into a dark winter &amp; he has no clear plan. trump \xe2\x80\x9cwe\xe2\x80\x99re learning to live with the coronavirus. biden pounced. \xe2\x80\x9cwe\xe2\x80\x99re learning to die with it.\xe2\x80\x9d,United States of America,New York,NY,Donald Trump,2,0\r\n1250,10/23/2020,debates2020 culturevulture presidentialdebate2020 debatetonight icecube trump,United States of America,Illinois,IL,Donald Trump,2,0\r\n1251,10/23/2020,debates2020 did he donaldtrump just say children are brought to the usa \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 by coyotes,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1252,10/23/2020,debates2020 donaldtrump,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n1253,10/23/2020,debates2020 first debate memories.  lol.  trump-interrupter. trump,United States of America,New York,NY,Donald Trump,1,0.1\r\n1254,10/23/2020,debates2020 has started and the candidates start off with their plan to handle covid-19. debatetonight joebiden donaldtrump democrat,United States of America,New York,NY,Donald Trump,1,0.2\r\n1255,10/23/2020,debates2020 so byron did test positive for covid is what trump said.,United States of America,Arizona,AZ,Donald Trump,1,0.1\r\n1256,10/23/2020,debates2020 trump biden factcheck fridaymorning covid19,United States of America,Washington,WA,Donald Trump,2,0\r\n1257,10/23/2020,debates2020 why debates commission is trump being allowed to answer every one of biden's comments but she is not allowing biden to answer trump's comments  unfair.  fix that now.  teamjoe joebiden,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1258,10/23/2020,debates2020.  ok so biden has no covid plan beyond trump's haphazard approach,United States of America,New York,NY,Donald Trump,2,0\r\n1259,10/23/2020,debatetonight biden looked like someone's grandpa that wandered away from the nursing home. i'm better off now than i was 4 yrs ago and what i learned from tonight's debate is that i'll be worse off 4 yrs from now if biden becomes potus. trump trump2020 trumppence2020,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n1260,10/23/2020,debatetonight crime has gone up in black communities under the trump administration. no plans for that eh,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1261,10/23/2020,debatetonight debate2020 biden trump foxnews msnbc cnndebate,United States of America,California,CA,Donald Trump,2,0\r\n1262,10/23/2020,debatetonight debates2020 trump joebiden,United States of America,Colorado,CO,Donald Trump,2,0\r\n1263,10/23/2020,degeneratejack_ danscavino kayleighmcenany realdonaldtrump thanks for your feedback though i don\xe2\x80\x99t needby the waydancing well needs more than what trump has. it doesn\xe2\x80\x99t mattersince like he said he could shoot somebody but still doesn\xe2\x80\x99t lose his votersyou have such low expectations from him in everything he does including dancing,United States of America,California,CA,Donald Trump,2,0\r\n1264,10/23/2020,democrat energy plan\xf0\x9f\x91\x87\xf0\x9f\x91\x87\xf0\x9f\x91\x87solar energy anyone\xf0\x9f\x91\xa8\xe2\x80\x8d\xf0\x9f\x91\xa9\xe2\x80\x8d\xf0\x9f\x91\xa7\xe2\x80\x8d\xf0\x9f\x91\xa6\xf0\x9f\x91\xa9\xe2\x80\x8d\xf0\x9f\x91\xa6 anyone no-joe\xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f joewillleadus bidentownhall solar a joke democratsaredestroyingamerica bidenharris2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8  \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trump trumpwon maga2020 votered energy trumppence2020 realdonaldtrump republicans,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1265,10/23/2020,demonstrating proper diplomacy to trump who unfortunately... puts the dip in diplomacy.,United States of America,California,CA,Donald Trump,0,-0.1\r\n1266,10/23/2020,dems will be swamped in florida on ed by trump voters. this chart visualizes dem's predicament. their lead is rapidly evaporating such that their only prayer is to max out the newly registered dems and hope to god npas are breaking for them at the margins they need. 2/2,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1267,10/23/2020,despite pullbacks trump team says minnesota still in its sights - minnesota public radio news politicalparties government trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1268,10/23/2020,did biden just say he wants to keep mexican rapists in our country poorboys called trump abraham lincoln this many gaffes in 58 seconds  \xf0\x9f\x98\xb3 realdonaldtrump realjameswoods kellzbellzzah trump debates2020,United States of America,Georgia,GA,Donald Trump,0,-0.9\r\n1269,10/23/2020,did he just call aoc dumb trump debatetonight,United States of America,California,CA,Donald Trump,0,-0.7\r\n1270,10/23/2020,did he just say he\xe2\x80\x99s immune he had it days ago debates2020 bidenharris2020 trump lies,United States of America,New Jersey,NJ,Donald Trump,0,-0.7\r\n1271,10/23/2020,did trump just compare himself lincoln done. we need to be done. this needs to end. now. and what has trump done for people of color what has this mofo done for any human being oh yeah he just \xe2\x80\x9cgrabs \xe2\x80\x98em by the pussy.\xe2\x80\x9d presidentialdebate2020 bidenharris2020,United States of America,Louisiana,LA,Donald Trump,0,-0.2\r\n1272,10/23/2020,did trump just compared himself to lincoln lincoln united the country. trump divides. trumpisajoke presidentialdebate2020,United States of America,New York,NY,Donald Trump,2,0\r\n1273,10/23/2020,did trump just say good when biden said 500 kids are separated from their parents presidentialdebate2020,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1274,10/23/2020,did trump just say \xe2\x80\x9ci am the least racist person. i can\xe2\x80\x99t even see the audience because it\xe2\x80\x99s so dark.\xe2\x80\x9d what. does. this. mean.debatetonight debates2020 trumpmeltdown trumpispathetic bizarre biden,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1275,10/23/2020,did trump just say...... wooooooooow presidentialdebate2020 trumpmeltdown debate2020 debatetonight,United States of America,New York,NY,Donald Trump,2,0\r\n1276,10/23/2020,did trump really say twice that he was the \xe2\x80\x9cleast racist person in this room\xe2\x80\x9d as he sits in front on kristenwelker,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1277,10/23/2020,did yall see  trump lol,United States of America,Texas,TX,Donald Trump,2,0\r\n1278,10/23/2020,did you heard how trump is going to combat covid19 no... openeconomy ..no  a plan to help stop racist no climatechange no all he did was try to make biden look bad. vote latinos  johnleguizamo tedcruz jay_hernandez kamalaharris,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n1279,10/23/2020,do you think trump is actually taking notes or just practicing his signature debate2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n1280,10/23/2020,do you want more shutdowns  do you want to loose your tax break of $6000 yearly  do you want foreign oil independence  do you want gas prices doubled  do you like your 401k  if yes vote for sleepy joe\xf0\x9f\x98\xb4\xf0\x9f\x98\xb4 america foxnews debatetonight debate biden trump cnn vote,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1281,10/23/2020,does realdonaldtrump even know what inauguration means \xf0\x9f\x98\x82 trump presidentialdebate,United States of America,California,CA,Donald Trump,2,0\r\n1282,10/23/2020,does trump know he\xe2\x80\x99s running against joebiden i should be taking a shot for every time he mentions barackobama. \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f trumpisdebatingobama bidenharris2020 \xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1283,10/23/2020,does trump know his young son\xe2\x80\x99s name debates2020 wokeaf,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1284,10/23/2020,does trump realize that being the least racist still means your racist,United States of America,Rhode Island,RI,Donald Trump,0,-0.5\r\n1285,10/23/2020,doesn\xe2\x80\x99t fracking damage water and pollute air  fracking frackingban joebiden trump2020 trumpispathetic trump debates2020 debatetonight  vote,United States of America,Tennessee,TN,Donald Trump,0,-0.1\r\n1286,10/23/2020,don't let trump discredit patriotism by \xe2\x81\xa6monachareneppc\xe2\x81\xa9,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1287,10/23/2020,donald trump can only spread lies to try to keep his voters. donaldtrump presidentialdebate2020,United States of America,California,CA,Donald Trump,0,-0.2\r\n1288,10/23/2020,donaldtrump,United States of America,Arizona,AZ,Donald Trump,1,0.3\r\n1289,10/23/2020,donaldtrump  you had 4 years to come up with a so-called better healthcare plan but you have not done shit about it why because you\xe2\x80\x99re always on twitter talking garbage and hating on everyone who does not kiss your ass debatetonight debate2020,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1290,10/23/2020,donaldtrump could not even answer the first question. he clearly spent his time praising himself \xf0\x9f\x99\x84 debatetonight debates2020,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1291,10/23/2020,donaldtrump fourmoreyears kag2020trumppence,United States of America,California,CA,Donald Trump,1,0.3\r\n1292,10/23/2020,donaldtrump has done more for africanamericans than we think thehill,United States of America,Texas,TX,Donald Trump,2,0\r\n1293,10/23/2020,donaldtrump is a fucking loony toon he truly believes his own bullshit and thinks the more he repeats it the truer it is.  not,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1294,10/23/2020,donaldtrump is going to suffer a great big beautiful loss.,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1295,10/23/2020,donaldtrump is not human,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1296,10/23/2020,donaldtrump is so fucking stupid he keeps saying he\xe2\x80\x99s immune to the coronavirus. no one is immune there have been people out there that have gotten it more than once. no one will be immune until there is a quality tested vaccine debatetonight debates2020,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1297,10/23/2020,donaldtrump looks real nervous. he\xe2\x80\x99s lying about covid19 there\xe2\x80\x99s not vaccine the situation in america is totally messed up and trump isn\xe2\x80\x99t gonna make it better otherwise. debate2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1298,10/23/2020,donaldtrump proves the theory that the loudest person in the room is always the weakest person in the room.,United States of America,Minnesota,MN,Donald Trump,0,-0.8\r\n1299,10/23/2020,donaldtrump says he\xe2\x80\x99s \xe2\x80\x9cimmune\xe2\x80\x9d to covid19 debates2020 \xf0\x9f\x8e\xa5thehill cnn  new orleans louisiana,United States of America,Louisiana,LA,Donald Trump,0,-0.1\r\n1300,10/23/2020,donaldtrump spoke about himself in the third-person...take a shot.,United States of America,California,CA,Donald Trump,2,0\r\n1301,10/23/2020,donaldtrump we must stop all mail in voting and make it either abstantee or in person with i.d,United States of America,Ohio,OH,Donald Trump,0,-0.5\r\n1302,10/23/2020,donaldtrump's disconnect with the lived american experience makes george hw bush seem like somebody who grew up in a trailer and spent his youth waiting on tables. debatetonight debates2020 debate,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1303,10/23/2020,donaldtrump's inability to stand still and not make faces is astounding. debatetonight debates2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1304,10/23/2020,donnie loves a hyperbole chile. \xf0\x9f\x99\x84presidentialdebate presidentialdebates2020 finaldebate donaldtrump,United States of America,California,CA,Donald Trump,1,0.6\r\n1305,10/23/2020,dont vote for trump,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1306,10/23/2020,don\xe2\x80\x99t understand how someone can tweet a response but then immediately block after tweeting without waiting for a response what a trump move- all talk no action. go back to your bunker bro. trump2020 bidenharristosaveamerica biden2020tosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1307,10/23/2020,dumbest person alive. trump,United States of America,Arizona,AZ,Donald Trump,0,-0.4\r\n1308,10/23/2020,eeuu inicia el \xc3\xbaltimo debate presidencial . los candidatos tendr\xc3\xa1n micr\xc3\xb3fono cerrado para evitar interrupciones. esta es la \xc3\xbaltima oportunidad para biden y trump para conquistar a los votantes indecisos. debates2020 election2020,United States of America,New York,NY,Donald Trump,1,0.1\r\n1309,10/23/2020,election meddling twitter locks account of trump campaign national press secretary hogan gidley politicalviews trump politicalparties,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1310,10/23/2020,election2020 going into the election this is the best analysis of trump and the faux politics he generates.,United States of America,New York,NY,Donald Trump,1,0.7\r\n1311,10/23/2020,election2020 is fair right never buying $luv stock in life look at bias debates2020 now you know opnionpoll are real by fakenewscnn trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n1312,10/23/2020,election2020 presidentialdebate2020 trump,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1313,10/23/2020,election2020 trump2020landslide trump bidenemails,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1314,10/23/2020,enjoy this bookbubble  via bublishme amreading christian presidentialdebate trump biden bibleverses vote,United States of America,Arizona,AZ,Donald Trump,1,0.7\r\n1315,10/23/2020,especially a female socialist president trump is a man with mommy problems. read mary trump's book. debates2020,United States of America,Texas,TX,Donald Trump,2,0\r\n1316,10/23/2020,even if you support him stay away from trump rallies and other superspreader events. just. not. worth. it.,United States of America,Texas,TX,Donald Trump,2,0\r\n1317,10/23/2020,everybody\xe2\x80\x99s mean to me. everyone else is treating me so poorly. waaah waaah you big titty baby. dumptrump trump i\xe2\x80\x99m so over you.,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1318,10/23/2020,exactly kristenwelker you ate letting trump interrupt shame on you,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n1319,10/23/2020,exactly my family is missing my aunt due to covid death.  trump has no plan to defeat covid as seen debatetonight,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1320,10/23/2020,exactly. right on geez. tds is high tonight. here\xe2\x80\x99s the deal trump said \xe2\x80\x9cgo ahead\xe2\x80\x9d - he did not say \xe2\x80\x9cgood\xe2\x80\x9d. get a grip folks. goahead good trump2020,United States of America,California,CA,Donald Trump,1,0.1\r\n1321,10/23/2020,exportedfrommi trump just said....seriously he did....\xe2\x80\x9dunder audit\xe2\x80\x9d. joebyedon,United States of America,Nevada,NV,Donald Trump,2,0\r\n1322,10/23/2020,f0ntvine707 so you don't think trump is not a racist,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1323,10/23/2020,fact check almost every state is having financial issues due to pandemic trump gop debates2020,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1324,10/23/2020,fact check economically we're in a depression right now trump debates2020,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1325,10/23/2020,fact check sleepy joe- the usa never had a \xe2\x80\x9cgood relationship\xe2\x80\x9d with hitler. debates2020 biden trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1326,10/23/2020,factcheck trump children separation at the border. via cnn,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n1327,10/23/2020,factcheck trump statements about covid19. lies votehimoutandlockhimup debate2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n1328,10/23/2020,facts he won\xe2\x80\x99t release his tax returns becaus realdonaldtrump is a corrupt piece of shit. fuck trump and his racist ass supports.,United States of America,District of Columbia,DC,Donald Trump,0,-0.9\r\n1329,10/23/2020,final 2020 presidential debate presidentialdebate joebiden debates2020 trump trumpmeltdown,United States of America,California,CA,Donald Trump,2,0\r\n1330,10/23/2020,final debate more than halfway through who do you think is winning so far trump biden debatetonight,United States of America,California,CA,Donald Trump,0,-0.5\r\n1331,10/23/2020,final debate time anyone else watching debates2020 finaldebatefox trump biden presidentialdebate2020,United States of America,Oregon,OR,Donald Trump,0,-0.1\r\n1332,10/23/2020,flghtlss1 thehill baseless... biden has not been taking millions of dollars from under the table from other countries.. but let\xe2\x80\x99s talk about trump..  who does he owe 420 million to  a secret chinese bank account the \xe2\x80\x9cpoor \xe2\x80\x9c proud boys are on the fbi\xe2\x80\x99s domestic terror list..do some homework..,United States of America,Nevada,NV,Donald Trump,0,-0.8\r\n1333,10/23/2020,for the record i have not watched one second of this debate yet &amp; from the commentary let alone my responses to it i'm guess that at least trump's mic has been muted at least a few times. \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x92\xaf,United States of America,California,CA,Donald Trump,0,-0.1\r\n1334,10/23/2020,forbes danalexander21 what kind of president would pay more in taxes to china than to his own country    why won't trump release his tax records   what more is he hiding,United States of America,California,CA,Donald Trump,0,-0.9\r\n1335,10/23/2020,forget trump call a normal scientist doctor ask them to inhale delhi air and do lab tests than do drama that our air is clean,United States of America,California,CA,Donald Trump,1,0.2\r\n1336,10/23/2020,former mueller deputy predicts trump will pardon himself if he doesn't win reelection thehill,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1337,10/23/2020,fracking bidenharris2020 debates2020  video trumpbidendebate election2020  trump,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n1338,10/23/2020,frankcundiff 545 children are orphans because trump ripped them from the arms of their parents with no plan to reunite them if this doesn't piss you off you aren't human let alone christian,United States of America,Virginia,VA,Donald Trump,0,-0.9\r\n1339,10/23/2020,frankluntz what's your problem all of a sudden with trump get over it \xf0\x9f\x98\xa0,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1340,10/23/2020,fridaythoughts fridaymorning fridaymotivation i was gonna start my trump zombieapocalypse novella but then i wrote the story naked asian schoolgirl bowling alley because it was too awesome not to. it is about a bowling alley trying to save itself by promoting nudity,United States of America,New York,NY,Donald Trump,2,0\r\n1341,10/23/2020,fridaythoughts fridaywisdom some people said they voted for trump because he wasn't a politician but if you're running for president you are by definition now a politician. a more accurate thing would to be say he was inexperienced which shows in everything that he does.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1342,10/23/2020,from handling the coronavirus pandemic to delivering leadership donaldtrump and his democratic challenger joebiden exchanged barbs and critiques as they tried to make their cases to voters in the second and final presidential debate thursday night.,United States of America,New York,NY,Donald Trump,2,0\r\n1343,10/23/2020,fsu students elisabeth akerson &amp; dustin batchelor at front of line for trump maga rally in pensacola \xe2\x81\xa6pnj\xe2\x81\xa9,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1344,10/23/2020,gang rape is daily in india. often motivated by sectarian &amp; racist religious politics or just politics on all sides. extremely horrible. narendramodi pmoindia modi usa potus trump's great pal &amp; bjp4india give lip service but clearly dont care &amp; dont stop their goons.,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n1345,10/23/2020,geebeeleuterer he\xe2\x80\x99s trying not to laugh at trump saying he\xe2\x80\x99ll have beautiful healthcare.,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1346,10/23/2020,georgetakei trump made an estimate of what he said was owed him got the millions then the irs audited him and said \xe2\x80\x9cgive it back\xe2\x80\x9d and trump said \xe2\x80\x9cmake me\xe2\x80\x9d  realdonaldtrump is a crook  trump trumpcrimefamily,United States of America,California,CA,Donald Trump,0,-0.8\r\n1347,10/23/2020,get $100 in postmates delivery credit when you sign up with code 4p1iu    fridaythoughts fridayvibes food foodie delivery wknd election 2020 biden trump happyhour news hungry a,United States of America,California,CA,Donald Trump,0,-0.1\r\n1348,10/23/2020,ghost town nyc. presidentialdebate whoyougonnacall cuomo ectoplasm trump spirits carlkissin kissinimprov,United States of America,New York,NY,Donald Trump,1,0.2\r\n1349,10/23/2020,given trump\xe2\x80\x99s reluctance good that bipartisan group of senators are calling for sanctions. this needs to happen,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1350,10/23/2020,go watch bad president the movie thisweekend film trump hollywood makecomedygreatagain,United States of America,California,CA,Donald Trump,0,-0.6\r\n1351,10/23/2020,god i have to pee so bad but i cannot leave my tv debates2020 debate2020 trump biden,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n1352,10/23/2020,god i should not be laughing.. but i'm laughing. so much going on now is just batshitcrazy &amp; the left falling apart... yet its so absurdly funny.... \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3  tg none of it is trump's. vote2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1353,10/23/2020,good debate. good moderator. what this presidential campaign needed and america deserves. debates2020 election2020 biden trump usa,United States of America,Missouri,MO,Donald Trump,1,0.3\r\n1354,10/23/2020,good news everyone i saw a bunch of birds today. hundreds of birds this week in fact. they\xe2\x80\x99re not all dead from the windmills someone let me know who i need to contact in the trump administration to let them know  trump dumb debates2020 windmills,United States of America,California,CA,Donald Trump,1,0.2\r\n1355,10/23/2020,good trump you weaselly fucking little bitchyou tore these families a part and that doesn't faze you in the least.that makes you the largest piece of primordial ooze coming out of the ass of some kind of slithering prehistoric tow-toed sloth thing...just one continuous shit,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1356,10/23/2020,gop and he\xe2\x80\x99s not fighting for me or for any of us. trump doesn\xe2\x80\x99t give a single flying fuck about anyone other than himself. and certainly not his base.,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n1357,10/23/2020,gop has been trying to kill medicare and socialsecurity for decades. trump is getting desperate. watch out. presidentialdebate2020 bidenharris2020tosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1358,10/23/2020,gop pollster says trump won the final debate but joebiden  \xe2\x80\x98won the war\xe2\x80\x99  vote2020,United States of America,Tennessee,TN,Donald Trump,0,-0.2\r\n1359,10/23/2020,gop trump something to consider..for those of you who are afraid to admit to your family that you don\xe2\x80\x99t like the way your president acts well your vote is private. watch this video,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1360,10/23/2020,gopcriminals trumpcrimefamily trumpcrimesyndicate trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n1361,10/23/2020,got my vote in for biden can't stand trump,United States of America,Michigan,MI,Donald Trump,0,-0.3\r\n1362,10/23/2020,governorperry johncornyn joebiden let trump and gop side with giant oil companies and dirty coal mines -- while biden and democrats provide real leadership by facing undeniable facts about climate change and unsustainable energy supplies.  american workers recognize our future and it's not in oil.,United States of America,Nevada,NV,Donald Trump,1,0.3\r\n1363,10/23/2020,grabhimbytheballot trump,United States of America,Texas,TX,Donald Trump,2,0\r\n1364,10/23/2020,grantstern malcolmnance maybe i missed it along the way can't keep up but is there a murderer among the trump inner circle  i feel like we have everything else.,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n1365,10/23/2020,great guide to trump scandals and suspicious activities,United States of America,Florida,FL,Donald Trump,1,0.8\r\n1366,10/23/2020,great job sleepyjoebiden you have officially succeeded being the worse person on earth you are a pathetic lying piece of shit. you will never be on top of trump get over yourself. trump2020,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1367,10/23/2020,great to see obama campaigning for biden it helps trump everyday he is out election election2020,United States of America,California,CA,Donald Trump,1,0.9\r\n1368,10/23/2020,guiliani borat2 rudygiuliani rudythepedo rudyisarussianasset vote trumpispathetic trumpispathetic trump maga,United States of America,Rhode Island,RI,Donald Trump,2,0\r\n1369,10/23/2020,guypbenson discusting using \xe2\x80\x9c his only son\xe2\x80\x9d line. basically using the death of other family members as they have done in ads. tells you everything about the slime biden is trump trump2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1370,10/23/2020,ha joebiden's campaign has bugged the hell out of me for money so i am happy this is coming to an end. election2020 vote  do not trust the polls . . .,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1371,10/23/2020,hah i heard it all the way on the west coast. presidentialdebate2020 dumptrump trumpispathetic trumpisaracist trumpisaliar votehimout2020 trump,United States of America,Oregon,OR,Donald Trump,2,0\r\n1372,10/23/2020,happy friday the debate had far fewer fireworks. trump maintained his stance and biden put on his best politician face. presidentaldebate2020 donaldtrump joebiden enjoy --&gt;,United States of America,Georgia,GA,Donald Trump,1,0.2\r\n1373,10/23/2020,has biden said anything he actually plans to do need something more than just trump is wrong. orangemanbad presidentialdebate2020,United States of America,Indiana,IN,Donald Trump,0,-0.2\r\n1374,10/23/2020,have you heard \xe2\x80\x9816 - all is well in america\xe2\x80\x99 by thompsoi on soundcloud np  christian presidentialdebate2020 church trump,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1375,10/23/2020,he is now saying he pre-paid tens of millions of dollars of taxes really stronglywordedpod presidentialdebate2020 presidentialdebate biden trump debatefly,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1376,10/23/2020,he \xe2\x80\x9cprepaid\xe2\x80\x9d his taxes okay...now i\xe2\x80\x99m laughing. trump presidentialdebate2020,United States of America,Pennsylvania,PA,Donald Trump,1,0.3\r\n1377,10/23/2020,healthcare aca trump,United States of America,California,CA,Donald Trump,2,0\r\n1378,10/23/2020,healthcare is a humanright everyone should have access to comprehensive holistic healthcare. during a pandemic youd think that the potus would want to expand care.... nope not trump who is trying to gut aca. we need medicareforall debates2020,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1379,10/23/2020,healthcare trump vote,United States of America,North Carolina,NC,Donald Trump,2,0\r\n1380,10/23/2020,here i did the research.  just read it please  trump trump2020 vote govote facts youcut,United States of America,Tennessee,TN,Donald Trump,0,-0.2\r\n1381,10/23/2020,hey accountant / cpa twitter what was the longest it took for you to prepare someone's personal taxes also can you prepay taxes accountant cpa debates2020 prepay biden trump,United States of America,California,CA,Donald Trump,0,-0.5\r\n1382,10/23/2020,hey biden and trump when are you going to actually address how to help the working class struggling with low wages record evictions from the pandemic and the healthcare crisis debate2020,United States of America,North Carolina,NC,Donald Trump,0,-0.4\r\n1383,10/23/2020,hey it\xe2\x80\x99s donaldtrump,United States of America,Minnesota,MN,Donald Trump,1,0.2\r\n1384,10/23/2020,hey trump europe is not a country. presidentialdebate2020 presidentialdebate,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n1385,10/23/2020,he\xe2\x80\x99s b-a-a-a-a-k being a toddler. the irs is very bad to me. over and over again. trump presidentialdebate2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1386,10/23/2020,hi trump europe is a continent. debates2020,United States of America,New York,NY,Donald Trump,1,0.1\r\n1387,10/23/2020,highbrow_nobrow president biden will appreciate this power in eliminating the trump swamp from government.,United States of America,Illinois,IL,Donald Trump,2,0\r\n1388,10/23/2020,highlight of today's debate  who built the cages apparently trump meant to imply that building holding pens for immigrants along the southern border is morally worse than using them to hold children who have been forcibly taken from their parents. trumpbiden2020,United States of America,California,CA,Donald Trump,0,-0.2\r\n1389,10/23/2020,his tranquilizers have worn off insane trump debate2020,United States of America,California,CA,Donald Trump,0,-0.7\r\n1390,10/23/2020,hmm subliminal messages \xe2\x80\x9claying\xe2\x80\x9d behind biden debates2020 elections2020 \xe2\x81\xa6\xe2\x81\xa6trump votetrump,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1391,10/23/2020,hold up. the damn presses stopped. trump actually debated joebiden instead of berniesanders he actually recognized the guy next to him this time holy shit. \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 on 2nd q about vaccines. debates2020 debates,United States of America,California,CA,Donald Trump,0,-0.2\r\n1392,10/23/2020,how in the hell could this moderator not note that separating children with their families when obama-biden started the policy why does trump have to point that out. yeah great moderator. why doesn\xe2\x80\x99t she ask him about it. debates2020,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1393,10/23/2020,how is joebiden tweeting while he\xe2\x80\x99s debating this. is. wild. debates2020 trump biden,United States of America,New York,NY,Donald Trump,2,0\r\n1394,10/23/2020,how many covid deaths were we at when trump said it is what it is debates2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1395,10/23/2020,how telling that trump just said he\xe2\x80\x99d rather be in a basement...,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n1396,10/23/2020,how you come on the stage with no mask on bruh trump just don\xe2\x80\x99t give a rats ass \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f,United States of America,Georgia,GA,Donald Trump,0,-0.9\r\n1397,10/23/2020,huge joke trump incometax debate2020,United States of America,California,CA,Donald Trump,0,-0.7\r\n1398,10/23/2020,hugh is the most pathetic of all the trump sycophants.,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1399,10/23/2020,hughhewitt it's not the cages; it's what you do with them.  trump built concentration camps for latinx,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1400,10/23/2020,hughhewitt trump probably took them on the lolitaexpress,United States of America,Kentucky,KY,Donald Trump,0,-0.1\r\n1401,10/23/2020,human lives &gt; than the economy if everyone is dead who will be working to stimulate the economy \xf0\x9f\xa4\x94 bm4f leadfreeusa younggiftedgreen debates2020 presidentialdebate2020 biden trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1402,10/23/2020,hunter biden still owns a 10% stake in chinese company bohai harvest rst bhr an investment firm he co-founded with funding from the bank of china. where's hunter  biden trump debate joebiden kamalaharris,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1403,10/23/2020,i also thought it was delightful when trump mocked biden for talking about american families. bidenharris2020,United States of America,New York,NY,Donald Trump,1,0.3\r\n1404,10/23/2020,i am going to say it trump looks like a monster 2 say nothing of his monsterous lies  this the twilightzone,United States of America,New York,NY,Donald Trump,0,-0.9\r\n1405,10/23/2020,i am not a christian and consider myself agnostic but i find this article fascinating. what does it mean to be a christian and still support donaldtrump,United States of America,Indiana,IN,Donald Trump,1,0.4\r\n1406,10/23/2020,i am the least racist person in this room. -donald trump to the non-white moderator \xf0\x9f\x98\xb1\xe2\x98\xa0\xef\xb8\x8f presidentialdebate2020 kristenwelker trump,United States of America,Missouri,MO,Donald Trump,0,-0.2\r\n1407,10/23/2020,i believe trump when he says that mexico will pay for the united states healthcare,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1408,10/23/2020,i bet trump is doodling dicks. debates2020,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1409,10/23/2020,i can't even see the audience because it's so dark. trump debatetonight,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1410,10/23/2020,i can't keep up with the unsurmountable amount of lies trump is spitting. i don't know why democrats are even legitimizing this farce of a debate. the less air-time trump gets the better. debates2020,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n1411,10/23/2020,i can't wait for bidenharris2020 to win and oust all the grifters in the trump regime.,United States of America,Florida,FL,Donald Trump,1,0.5\r\n1412,10/23/2020,i cannot believe 40 minutes have gone by debates2020 debate2020 trump biden,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n1413,10/23/2020,i can\xe2\x80\x99t see the audience it\xe2\x80\x99s so dark \xf0\x9f\x98\xad this nigga trump buggin  debates2020,United States of America,North Carolina,NC,Donald Trump,0,-0.6\r\n1414,10/23/2020,i can\xe2\x80\x99t wait to have my mic muted trump trumpisnotwell trumpmeltdown biden votelikeyourlifedependsonit crookedjoebiden tiffanytrump biden maga maga2020 maga2020landslidevictory,United States of America,District of Columbia,DC,Donald Trump,1,0.9\r\n1415,10/23/2020,i didn't vote for joebiden nor did i vote for trump. when i say that joe is a piece of shit it doesn't undermine the fact that trump is also a piece of shit. you can plead your case that one's smellier or cornier or runnier than the other but the typology doesn't change.,United States of America,South Carolina,SC,Donald Trump,0,-0.5\r\n1416,10/23/2020,i didn\xe2\x80\x99t make this up. came from a dictionary folks. trumperies trumpery trump lol presidentialdebate2020 potus,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1417,10/23/2020,i do love the environment says trump. that's good because the environment hates you. debates2020,United States of America,Tennessee,TN,Donald Trump,1,0.1\r\n1418,10/23/2020,i do not have the coronavirus but me and my kids had the swine flu back then. i took us all to the hospital and got us all tamiflu and we were all better within 10 days covid19 is a much deadlier virus so donaldtrump  shut up man debatetonight debates2020,United States of America,New York,NY,Donald Trump,2,0\r\n1419,10/23/2020,i don't think trump fully grasped how big a statement biden made about the oil industry debatetonight,United States of America,Utah,UT,Donald Trump,0,-0.4\r\n1420,10/23/2020,i don\xe2\x80\x99t dislike all republicans. i\xe2\x80\x99d even possibly vote for some. but their selection of trump as their leader means i can no longer trust their judgement. it makes them look like they put party over the well-being of our country. to me that\xe2\x80\x99s the most damaging thing.,United States of America,California,CA,Donald Trump,0,-0.5\r\n1421,10/23/2020,i don\xe2\x80\x99t know why this video was banned from tiktok trump tiktok transition theshaderoom instagramreels youtubeshorts blacktwitter blacktiktok viral trending anime prank lockdown golden onevoice beardgang twittercensorship tiktokban fridayvibes friyay friday,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1422,10/23/2020,i don\xe2\x80\x99t understand how trump is responsible for an unseen virus \xf0\x9f\xa6\xa0 that escaped out of china and has ravaged the world. its not an american issue its a global issue. what would anyone do that trump hasnt done biden messed up h1n1 why trust him now,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n1423,10/23/2020,i feel i\xe2\x80\x99m listening to a very self disciplined trump. maybe we should have had commission on presidential debates at whitehouse during trump term. presidentialdebate2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1424,10/23/2020,i feel like a proud mom lmao. realdonaldtrump did amazing. anyone undecided has definitely made a decision now.. and i guarantee you it\xe2\x80\x99s trump trump2020 debatetonight debates biden hype drugs started wearing off 1/2 way through &amp; it was obvious \xf0\x9f\x98\xac,United States of America,Pennsylvania,PA,Donald Trump,1,0.3\r\n1425,10/23/2020,i feel like i\xe2\x80\x99m going crazy. \xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 has a tinge of green. is anyone else seeing this  debates2020 green trump biden \xe2\x81\xa6joebiden\xe2\x81\xa9,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n1426,10/23/2020,i get treated worse than the tea party is treated. whah whah whah. trump debates2020 nmpol,United States of America,New Mexico,NM,Donald Trump,0,-0.1\r\n1427,10/23/2020,i give realdonaldtrump this win. peace in the middle east. i know a little but not much about ill look more into it. what will occur when the countries finalize the deal do also how about fixing racial division in the usa that a peace trump has been unsuccessful at.,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1428,10/23/2020,i guess a new game a shot every time trump says russia,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1429,10/23/2020,i hate realdonaldtrump but i got to admit he cracks me up \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f\xf0\x9f\xa4\x93\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 donaldtrump president debate funny,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1430,10/23/2020,i have not seen the stock market tank as much in my whole life as i\xe2\x80\x99ve seen it tank ever since donaldtrump took office debatetonight debate2020,United States of America,New York,NY,Donald Trump,1,0.4\r\n1431,10/23/2020,i have zero interest in post-debate tv word salad. i don\xe2\x80\x99t need analysts to tell me trump won and i surely don\xe2\x80\x99t need to hear msnbc and cnn\xe2\x80\x99s contorted revisions.  good night all i will sleep like a baby and see everybody on the radio at 705 am ct,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1432,10/23/2020,i hope the separation of those families follows trump forever.  the world should demand a trial.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1433,10/23/2020,i just can't even with trump. debates2020,United States of America,Tennessee,TN,Donald Trump,0,-0.1\r\n1434,10/23/2020,i just spit my sweet tea out. trump is the least racist person abrahamlincoln over here is the biggest racist. debates2020,United States of America,Tennessee,TN,Donald Trump,0,-0.2\r\n1435,10/23/2020,i know a bunch of folks on my feed would cry  if trump would pull it off,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1436,10/23/2020,i know more about wind than you do sums up presidential debates in 2020 debates2020 debatetonight biden trump,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n1437,10/23/2020,i know sleepy joe seriously doesn\xe2\x80\x99t think every child came here with a set of parents. he still hasn\xe2\x80\x99t answered who built the cages btw debates2020 debatetonight debate2020 presidentialdebate2020 trump biden,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1438,10/23/2020,i live in the anarchist city of seattle and am looking forward to trump getting a shellacking in court for his administration's policies,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n1439,10/23/2020,i love suburban woman please vote for me debates2020 trumpmeltdown trump bidenharrislandslide2020 biden maga maga2020 trumpvsbiden trumpvsbiden2020,United States of America,District of Columbia,DC,Donald Trump,1,0.9\r\n1440,10/23/2020,i love that realdonaldtrump is falsely attacking joebiden for giving his son preferential treatment when trump has hired his entire family donaldjtrumpjr erictrump ivankatrump to work in his failing cabinet. epicfail,United States of America,California,CA,Donald Trump,1,0.2\r\n1441,10/23/2020,i loved when joebiden  called trump abrahamlincoln  and he didn\xe2\x80\x99t get it..,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1442,10/23/2020,i really do wish trump would lock himself in a basement and just go away. presidentialdebate2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1443,10/23/2020,i remember this - new yorkers know trump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1444,10/23/2020,i see the debate has already turned into a hot mess tonight. presidentialdebate2020 trump biden debates2020 welldarn,United States of America,Kentucky,KY,Donald Trump,0,-0.4\r\n1445,10/23/2020,i swear to you how is trump able to have it both ways it\xe2\x80\x99s hoax and i take seriously and learned a lot gtfoh. wokeaf,United States of America,New York,NY,Donald Trump,1,0.1\r\n1446,10/23/2020,i take full responsibility for it...but it\xe2\x80\x99s not my fault. \xf0\x9f\xa4\x94\xf0\x9f\xa4\xa8 donaldtrump that was a dumbass statement.,United States of America,Virginia,VA,Donald Trump,0,-0.3\r\n1447,10/23/2020,i think kwelkernbc needs to be told who is the incumbent trump is the president joebiden is a private citizen nbcnews msnbc,United States of America,California,CA,Donald Trump,0,-0.6\r\n1448,10/23/2020,i think that trump just blamed goldstarfamilies for getting sick with covid again. debates2020,United States of America,Minnesota,MN,Donald Trump,0,-0.2\r\n1449,10/23/2020,i think trump is having an excellent debate. shockingly i think welker has been fair,United States of America,Nevada,NV,Donald Trump,1,0.2\r\n1450,10/23/2020,i think trump is probably using another  home remedy to overcome the covid19 weakness he's probably injecting bull semen into his veins. the stroke-like symptoms are from it clogging his brain capillaries. or covid damaged them. it is a *vascular* disease after all.,United States of America,California,CA,Donald Trump,0,-0.5\r\n1451,10/23/2020,i think trump meant he's a joke. trumpmeltdown,United States of America,Arizona,AZ,Donald Trump,0,-0.2\r\n1452,10/23/2020,i think trump was talking about intestinal gas,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n1453,10/23/2020,i thought the mic's were going to be turned off when the debaters hit the 2 minute ceiling. trump is a broken record. debate2020,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1454,10/23/2020,i too fear a future where buildings have little tiny windows. debates2020 climate trump presidentialdebate2020,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1455,10/23/2020,i voted for joebiden today and proud of it. i\xe2\x80\x99m am so excited to hear the results in a couple weeks. joebiden rocks fuck realdonaldtrump and any of his racist as supporters. donaldtrump fucktrump,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n1456,10/23/2020,i want trump to come out to the nwo theme song presidentialdebate2020,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1457,10/23/2020,i wish donaldtrump would stop talking with his hands. donaldtrump. presidentialdebate2020. vice. vicenews. live. tinyhands.,United States of America,Arkansas,AR,Donald Trump,1,0.1\r\n1458,10/23/2020,i wish this man puts his hands down trump,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1459,10/23/2020,i wish trump  would go away,United States of America,Idaho,ID,Donald Trump,0,-0.7\r\n1460,10/23/2020,i'm exhausted plain and simple total sum- trump does not care debates2020,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1461,10/23/2020,i'm raising money for help fund my american dream. click to donate   via gofundme fundmyamericandream gofundme covid19 vote maga trump ditchmitch trending kindness help riseup smallbusiness,United States of America,New York,NY,Donald Trump,1,0.2\r\n1462,10/23/2020,i'm starting to think our president is a list. \xf0\x9f\xa4\x94 trump trumplies trumphealthcare election2020,United States of America,Alaska,AK,Donald Trump,1,0.1\r\n1463,10/23/2020,i've heard this audit for so so long debates2020 debate2020 trump biden,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n1464,10/23/2020,ideathmaximumii stillgray the world is full of lieshatred and in complete despair only trump has the right ability and character to lead us during these difficult times.,United States of America,California,CA,Donald Trump,0,-0.1\r\n1465,10/23/2020,if as trump states he is the least racist then why did he not denounce whitesupremacy groups he mentioned proudboys  without anyone saying their name.  lies he knows them and also q johnleguizamo markruffalo gop wearethepeople immigrant nativeamerican,United States of America,Georgia,GA,Donald Trump,0,-0.7\r\n1466,10/23/2020,if biden is 6ft tall there\xe2\x80\x99s no way in hell trump is 6\xe2\x80\x992. more like 5\xe2\x80\x9910\xe2\x80\x9d,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1467,10/23/2020,if joe biden stood on the debate stage and recited the alphabet juan williams would think he was outstanding and did better than trump sleepysurrogtae thefive,United States of America,Iowa,IA,Donald Trump,0,-0.3\r\n1468,10/23/2020,if joebiden is so worried about first responders then why do the democrats want to defund the police  debates2020 realdonaldtrump trump,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1469,10/23/2020,if realdonaldtrump needs to release his taxes we want barackobama to release his birth certificate  trump trumplandslide donaldtrump2020,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1470,10/23/2020,if this video by jimmykimmel &amp; wife doesn't give you a good enough reason why we all need to vote &amp; vote out trump i don't know what will. preexistingconditions healthcareisahumanright healthcarevoter,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1471,10/23/2020,if trump was doing something illegal with his taxes the irs would have him shut down. biden is a loser.,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1472,10/23/2020,if trump were half as tough on russia as he claims he is putin would have had him rubbed out by now.,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1473,10/23/2020,if trump \xe2\x80\x98s hands are small then his head sure is tiny.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1474,10/23/2020,if trump \xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 is talking he\xe2\x80\x99s lying nys economy added 75300 private sector jobs in september 2020 \xe2\x81\xa6nygovcuomo\xe2\x81\xa9 \xe2\x81\xa6joebiden\xe2\x81\xa9 votebidenharristosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1475,10/23/2020,if we shut down again businesses will never reopen and we will have more unemployed than we\xe2\x80\x99ve ever seen before . debates2020 cmonman trump vote trump2020landslide,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1476,10/23/2020,if you have to think you don't know come with facts trump,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n1477,10/23/2020,if you vote for trump you are a child abuser,United States of America,New York,NY,Donald Trump,0,-0.9\r\n1478,10/23/2020,if you wanna know what a sad-sack looks like... \xf0\x9f\x91\x80\xf0\x9f\x99\x84trumpissad trumpisaracist trump trumpispathetic trumpisanationaldisgrace trump2020,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1479,10/23/2020,if you want $5 a gallon gas votebidenharris2020.       trump trump2020 maga tcot,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1480,10/23/2020,if your company would like a call from trump please rt this lol presidentialdebate,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n1481,10/23/2020,ilhanmn i found it fascinating with the question what would you say to the american people on inauguration day joebiden knew what he'd say. he improvised a whole speech.  donaldtrump had no effing idea and just complained for 2 mins  omg. am i the only one who saw that  maga,United States of America,New York,NY,Donald Trump,2,0\r\n1482,10/23/2020,imagine a daughter of a trump supporting dad...... there's very little chance - she's going against her father's wishes. being rejected by your father in this generation is not a thing. election2020 republicans democrats trump biden socialnorms sociology,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1483,10/23/2020,immigration kids conditions trump lies debates2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1484,10/23/2020,immigration kids trump debates2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1485,10/23/2020,in final trump-biden showdown less chaos but plenty of clashes,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1486,10/23/2020,in one chart how biden\xe2\x80\x99s war chest has eclipsed trump\xe2\x80\x99s \xe2\x80\x94 in one chart politicalparties trump whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1487,10/23/2020,in regard to the 220000 americans who have died from covid joebiden said trump should not remain president \xf0\x9f\x93\xb9 cnn  new orleans louisiana,United States of America,Louisiana,LA,Donald Trump,0,-0.6\r\n1488,10/23/2020,in the first debate trump was debating with biden and the moderator. tonight the moderator rocked debates2020,United States of America,Florida,FL,Donald Trump,1,0.2\r\n1489,10/23/2020,ingrahamangle joebiden wants to create millions of jobs in alternative energy trump trump2020 trumpvirus maga2020 kag2020 kag maga trump2020 trump trumpkillsus trumpisnotwell vetsagainsttrump veteran veteransfortrump veteran maga,United States of America,California,CA,Donald Trump,2,0\r\n1490,10/23/2020,ingrahamangle mschlapp who hold $900 million dollars of trump debt now,United States of America,Minnesota,MN,Donald Trump,0,-0.5\r\n1491,10/23/2020,ingrahamangle realdonaldtrump i don't think maga cares trump trump2020 maga maga2020 kag2020 kag keepamericagreat,United States of America,California,CA,Donald Trump,0,-0.7\r\n1492,10/23/2020,ingrahamangle the leftists agree america is great it's trump who keeps telling us all the problems we have. i guess the guy that has been the leader of the country has done a terrible and disaster job maga trump2020 trump trumpkillsus trumpisnotwell vetsagainsttrump kag2020 kag,United States of America,California,CA,Donald Trump,0,-0.2\r\n1493,10/23/2020,inspiring xenophobes everywhere hungary orban trump,United States of America,California,CA,Donald Trump,1,0.9\r\n1494,10/23/2020,interesting that realdonaldtrump gets muted in the middle of an answer but joebiden\xe2\x80\x99s mic is actually on even while trump is answering \xf0\x9f\xa4\x94\xf0\x9f\xa4\x94.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1495,10/23/2020,irony is that if trump loses and tries to flee the country his covid negligence has made us passports worthless. votebluetosaveamerica votehimout,United States of America,New Jersey,NJ,Donald Trump,0,-0.2\r\n1496,10/23/2020,is europe a country trump dumb,United States of America,California,CA,Donald Trump,0,-0.8\r\n1497,10/23/2020,is he actually paying attention to what's coming out of his mouth trump presidentialdebate2020,United States of America,Washington,WA,Donald Trump,1,0.6\r\n1498,10/23/2020,is he even trying to answer this question aca obamacare trump amyconeybarrettscotus,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1499,10/23/2020,it has been several week since the donaldtrump campaign called joebiden senile. it is pretty clear why that attack stopped. debatetonight debatetonight,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1500,10/23/2020,it is preposterous to expect elected officials to be an expert on everything. foreign affairs poverty education the environment etc. are complicated topics with uncertain solutions. america is better served having a policy debate from experts selected by biden and trump.,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1501,10/23/2020,it is very sad they are forcing this man to run for president ... he is not up for it and he will be there laughing stock of the world. we all know those people with sharp minds who don\xe2\x80\x99t age and it\xe2\x80\x99s unfair but trump wins the fitness test. he never stops working potus,United States of America,Tennessee,TN,Donald Trump,0,-0.7\r\n1502,10/23/2020,it must be nice to be privileged enough to throw away your vote. you must not know anybody directly affected if trump wins because of too many third party voters. don't do this people. muted the bigger the blowout the more of a mandate against trumpism.,United States of America,New Jersey,NJ,Donald Trump,0,-0.7\r\n1503,10/23/2020,it seems that trump literally doesn\xe2\x80\x99t understand what bribes and quid pro quo\xe2\x80\x99s are as opposed to donations and deal making based on his own words. it makes sense he doesn\xe2\x80\x99t think he ever does anything wrong. debatetonight debates2020  trump biden elections2020,United States of America,New York,NY,Donald Trump,2,0\r\n1504,10/23/2020,it seems trump spent more time doing his hair and rotting pumpkin makeup go a little lighter donald than on any policy to help anyone in america but him.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1505,10/23/2020,it was a lazy day so i figured that i'd hit up a couple of t2q funny guys to entertain you all as well as myself   podcast jacksonms mississippi applepodcasts googlepodcasts spotifypodcasts influencer covid trump bcfkang beerbubbelah,United States of America,Mississippi,MS,Donald Trump,1,0.3\r\n1506,10/23/2020,it wasn't biden's job it's trumps he is president who does he think is in charge of the usa joewillleadus for sure. move over trump and quit calling it the chinavirus you racist.,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1507,10/23/2020,it's actually difficult for me to tell who is winning. debates2020 debate2020 trump biden,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n1508,10/23/2020,it's chinas fault at 16 minutes in. so far we have lies joe in the basement and chinavirus. ugh. stronglywordedpod presidentialdebate2020 presidentialdebate biden trump debatefly,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1509,10/23/2020,it's funny how all the pedos are trump supporters. /// man found with van carrying guns and explosives planned joe biden assassination court records say,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1510,10/23/2020,it's subtle but the background behind joebiden is moving trump's is not what up with that presidentialdebate2020 trump,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1511,10/23/2020,it\xe2\x80\x99s a sad conclusion decision &amp; frankly as others have said a vote for trump - who knows maybe you\xe2\x80\x99ll come to your senses &amp; vote for your country too,United States of America,California,CA,Donald Trump,0,-0.9\r\n1512,10/23/2020,it\xe2\x80\x99s been 4 fucking year. where is your healthcare plan trump where the fuck is it trumphealthcare debatetonight trump,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1513,10/23/2020,it\xe2\x80\x99s confusing that trump is trying to paint himself as a blue collar guy and biden as an evil billionaire.,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n1514,10/23/2020,it\xe2\x80\x99s like trump is tanking it he is absolutely cooked the cud who slept on the finaltherickwilson projectlincoln,United States of America,Illinois,IL,Donald Trump,2,0\r\n1515,10/23/2020,it\xe2\x80\x99s nearly impossible for trump to win without pennsylvania. this is another respected poll that shows biden up by 7 in pa. pre-debate. true &amp; important it\xe2\x80\x99s not over until it\xe2\x80\x99s over. but pa has been looking better for biden in recent days.,United States of America,District of Columbia,DC,Donald Trump,1,0.2\r\n1516,10/23/2020,it\xe2\x80\x99s obvious trump &amp; biden see 2 very different america\xe2\x80\x99s &amp; i know biden\xe2\x80\x99s scares me but trumps fills me w/hope and pride,United States of America,Arizona,AZ,Donald Trump,0,-0.3\r\n1517,10/23/2020,it\xe2\x80\x99s okay joe. we\xe2\x80\x99ve got your back. we\xe2\x80\x99ll all say it for you. trump is racist. presidentialdebate2020 bidenharris2020tosaveamerica,United States of America,Louisiana,LA,Donald Trump,1,0.2\r\n1518,10/23/2020,it\xe2\x80\x99s trump unplugged vs biden at the hollywood bowl. presidentialdebate2020,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n1519,10/23/2020,ivankatrump i found it fascinating with the question what would you say to the american people on inauguration day joebiden knew what he'd say. he has vision. he improvised a whole speech. donaldtrump had no idea and just complained for 2 mins omg. no closing argument for maga.,United States of America,New York,NY,Donald Trump,2,0\r\n1520,10/23/2020,ivankatrump maybe if trump has some experience he wouldnt be f ing up so bad,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1521,10/23/2020,ivankatrump realdonaldtrump trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1522,10/23/2020,ivankatrump trump and his sycophants are soul-murderers and they make every corrupt gop politician and political appointee look like amateurs. traitorinchief grifterinchief vote bidenharris \xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote out the trump devastation maga2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n1523,10/23/2020,i\xe2\x80\x99d rather have a 2 month or so shutdown to reopen safely and be more prosperous than before than to open so selfishly like donaldtrump wants to because he\xe2\x80\x99s only thinking of himself and the bottom line which is money in his pocket. debatetonight debates2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1524,10/23/2020,i\xe2\x80\x99m dead\xf0\x9f\xa4\xa3\xf0\x9f\x92\x80\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f presidentialdebate2020 trump bidenharris2020 blacklivesmatter,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1525,10/23/2020,i\xe2\x80\x99m loving this debatetonight trump2020landslide trump,United States of America,Florida,FL,Donald Trump,1,0.9\r\n1526,10/23/2020,i\xe2\x80\x99m no statistician but i can read a line chart...this is not the usa \xe2\x80\x9cturning the corner\xe2\x80\x9d on covid. votebiden not trump,United States of America,Delaware,DE,Donald Trump,0,-0.3\r\n1527,10/23/2020,i\xe2\x80\x99m pissing my pants get joebiden out of my face presidentialdebate2020 enoughisenough trump2020landslidevictory and trump is right open the nation,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1528,10/23/2020,i\xe2\x80\x99m so looking forward to the next 11 days as the trump campaign extols the virtues of fossilfuels and skewers biden for his late-debate comment that we need to move away from them. let\xe2\x80\x99s be clear the extraction and burning of fossil fuels is bad. debate2020 climatecrisis,United States of America,Maine,ME,Donald Trump,0,-0.1\r\n1529,10/23/2020,i\xe2\x80\x99m so nervous my makeup won\xe2\x80\x99t stand my sweaty cheetos face debates2020 trump biden trumpmeltdown trumpisnotwell maga maga2020  bidenharrislandslide2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1530,10/23/2020,i\xe2\x80\x99m so over it i can\xe2\x80\x99t wait until nov. 4th trump and biden  presidentialdebates,United States of America,Michigan,MI,Donald Trump,1,0.1\r\n1531,10/23/2020,i\xe2\x80\x99m still stuck on these prepaidtaxes can\xe2\x80\x99t focus on the rest of the debate lmao debate presidentialdebate election2020\xc2\xa0\xc2\xa0 election biden bidenharris biden2020 trump trumppence trump2020 presidentialelection presidenttrump presidentbiden presidentialdebate2020,United States of America,California,CA,Donald Trump,0,-0.8\r\n1532,10/23/2020,i\xe2\x80\x99ve never seen trump so subdued they must have given him a quaalude presidentialdebate2020,United States of America,Arizona,AZ,Donald Trump,1,0.1\r\n1533,10/23/2020,jackposobiec good one. hitler ref. debates2020 | trump vote,United States of America,Texas,TX,Donald Trump,1,0.3\r\n1534,10/23/2020,jackposobiec like trump said...he\xe2\x80\x99s a politician and he\xe2\x80\x99s talking like one.,United States of America,California,CA,Donald Trump,0,-0.6\r\n1535,10/23/2020,jasonmillerindc yep thank god the campaigning will be over soon. joebiden is checking how many seconds left until he can start cleaning up the shit stain the trump administration has left on this country. trumpispathetic,United States of America,Nebraska,NE,Donald Trump,0,-0.1\r\n1536,10/23/2020,jayrod212 nate_cohn and if trump has is \xe2\x80\x9carmy\xe2\x80\x9d at polls on election day it may scare  off some of his supporters. that\xe2\x80\x99s one reason so many dems voting early.,United States of America,Wisconsin,WI,Donald Trump,0,-0.6\r\n1537,10/23/2020,jenniferlawrence was a little republican growing up but donaldtrump changed all that,United States of America,California,CA,Donald Trump,1,0.4\r\n1538,10/23/2020,jim kadziolka of navarre at trump maga rally in pensacola \xe2\x81\xa6pnj\xe2\x81\xa9,United States of America,Florida,FL,Donald Trump,1,0.1\r\n1539,10/23/2020,jimmy's prophecy of trump and obama comes true  jimmy_dore miserablelib torstrick thejimmydoreshow deporterinchief backtobrunch,United States of America,Illinois,IL,Donald Trump,2,0\r\n1540,10/23/2020,jimmy_dore hotepjesus example of misinformation peddling misinformation or example of hold the line biden trump debatetonight debate2020 politics russiandisinformation russiandisinformation trending tech newsnight newsgang msnbc foxnews cnn,United States of America,California,CA,Donald Trump,0,-0.8\r\n1541,10/23/2020,jobs matter... trump,United States of America,Virginia,VA,Donald Trump,0,-0.1\r\n1542,10/23/2020,joe biden's average salary as senator was $142695. after tax that's about $90k how is he worth almost $10 million where is the money coming from maga kag trump2020 landslide2020 dnc biden election2020 bidenharris2020 trump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1543,10/23/2020,joe get the frack outta here you lied about fracking you lied about heath care and the american people took notice your bought and paid for.  only one person can get us back to the economy we enjoyed and it aint you. come on man it's trump.  trump2020 trump debates,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1544,10/23/2020,joe is attacking trumps wrongs . trump is speaking facts \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f . oops trump biden finaldebate,United States of America,Maryland,MD,Donald Trump,2,0\r\n1545,10/23/2020,joe needs to categorically deny this debates2020 debate2020 trump biden,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n1546,10/23/2020,joe's strength in all debates presidential and democrat has been trying to talk directly to americans. trump looking much more presidential debates2020 debate2020 trump biden,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n1547,10/23/2020,joebiden americans don\xe2\x80\x99t panic debates2020 debatetonight debate biden trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1548,10/23/2020,joebiden calls trump racist but what about robertbyrd you fucking moron,United States of America,California,CA,Donald Trump,0,-0.9\r\n1549,10/23/2020,joebiden donaldtrump his healthcareplan  let americans die then say you don\xe2\x80\x99t really give a shit  the biggest lier  diarrhea of the mouth,United States of America,Pennsylvania,PA,Donald Trump,0,-0.9\r\n1550,10/23/2020,joebiden has already lost two children. a man who can barely remember half of his kids\xe2\x80\x99 names is trying to push one of biden\xe2\x80\x99s remaining children over the edge. what a sick repulsive soulless pos donaldtrump is. empathymatters charactermatters,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1551,10/23/2020,joebiden has never seemed as old as he did when he said \xe2\x80\x98gymnasium\xe2\x80\x99. lol biden trump presidentialdebate,United States of America,California,CA,Donald Trump,1,0.1\r\n1552,10/23/2020,joebiden is a typical politician and donaldtrump is a typical crook. there you have it presidentialelection2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1553,10/23/2020,joebiden isn\xe2\x80\x99t an asshole.  it\xe2\x80\x99s obvious that realdonaldtrump is.  trump is a chump who is dumber than onions and can\xe2\x80\x99t argue his way out of a paper bag.  democrats if you don\xe2\x80\x99t vote...shame on you,United States of America,Oklahoma,OK,Donald Trump,0,-0.4\r\n1554,10/23/2020,joebiden my 401k is based off the stock market just like most americans. trump,United States of America,North Carolina,NC,Donald Trump,2,0\r\n1555,10/23/2020,joebiden realdonaldtrump debate2020 bidenharris2020 donaldtrump,United States of America,Arizona,AZ,Donald Trump,1,0.3\r\n1556,10/23/2020,joebiden realdonaldtrump trump says 99.9% of young people recover and the u.s. can\xe2\x80\x99t close up. trumpbidendebate,United States of America,Kentucky,KY,Donald Trump,0,-0.2\r\n1557,10/23/2020,joebiden right now is like michealmyers and trump is his victim lol,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1558,10/23/2020,joebiden says donaldtrump is racist but provides as examples ethnic and religious groups. interesting. debates2020 debatetonight,United States of America,Georgia,GA,Donald Trump,1,0.3\r\n1559,10/23/2020,joebiden talks about realdonaldtrump and his covid response like trump is out on the streets killing people with his barehands. debates2020 debatetonight crookedjoebiden joebiden donaldtrump,United States of America,Arizona,AZ,Donald Trump,0,-0.2\r\n1560,10/23/2020,joebiden this inept bloviating madman disbanded the us pandemic response team back in 2018. the death of innocent americans is all on trump,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1561,10/23/2020,joebiden wake upyou\xe2\x80\x99re letting trump talk too much,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1562,10/23/2020,joebiden whatever donaldtrump lies about below are the facts. vote,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1563,10/23/2020,joebiden won this debate actual content trump is on the bench yelling from the sidelines grifter heckler nbcnews kwelkernbc cbsnews cnn,United States of America,California,CA,Donald Trump,2,0\r\n1564,10/23/2020,johnpavlovitz don\xe2\x80\x99t believe all of anything.  trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1565,10/23/2020,joshtpm she has let trump run her over and ask the questions horrible job by kwelkernbc,United States of America,California,CA,Donald Trump,0,-0.8\r\n1566,10/23/2020,joyannreid now trump is just making things up about blacklivesmatter. debatetonight votebluetoendthisnightmare,United States of America,Illinois,IL,Donald Trump,2,0\r\n1567,10/23/2020,joyreid we know from reporting that trumplied about reuniting parents with children  news secondpresidentialdebate2020 election2020 electionday 2020election trump biden bidenharris2020 bidenharris bidenharris2020tosaveamerica xenophobia,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1568,10/23/2020,jpierni realdonaldtrump has never been a capo or even a soldier. he had to pay to play here and pay he did. he was considered a joke &amp; a small fry by the families and he kneeled. then he became an informant for law enforcement and regulatory agencies. trump has always been a rat.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1569,10/23/2020,jtaylorskinner as potus during the upcoming civil war trump will have fireside chats with his fabulous proudboys. liberate covfefe.,United States of America,Idaho,ID,Donald Trump,1,0.2\r\n1570,10/23/2020,just because the cages were there doesn\xe2\x80\x99t mean you have to fill them. justsaying presidentialdebate2020 debates2020 trump biden election2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1571,10/23/2020,just in time for the election get your bullyrump t-shirts show the world you will not put up with bullies in the government.  trump bullyrump votehimout,United States of America,California,CA,Donald Trump,0,-0.2\r\n1572,10/23/2020,just the facts the true or false of the final presidentialdebate2020 between trump and biden via nytimes  facts vote politics election government,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1573,10/23/2020,just to also give kwelkernbc some credit she did an amazing job moderating the second presidential debate 2020 yesterday evening. this is how it\xe2\x80\x99s done. great job. kristenwelker donaldjtrump joebiden presidentialdebate2020 debates2020 election2020 biden trump nbcnews,United States of America,Wyoming,WY,Donald Trump,1,0.4\r\n1574,10/23/2020,just to be clear the unitedstates has been separating families from the jump. trump took it to roid cocktail levels with a heavy dose of sociopathy. admin officials past and present and his cult are forever smeared. forever. statesanctionedchildabuse,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1575,10/23/2020,kaitlancollins all trump cares about is attention. he has no substance no plan no empathy no decency no respect for our democracy. he is a sorry excuse for a human being who has never deserved the privilege passed onto him from wealthy parents.,United States of America,Hawaii,HI,Donald Trump,0,-0.7\r\n1576,10/23/2020,kamalaharris let's be clear democrats were busy impeaching trump to care about covid. they jumped on it only after they failed in their mission.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1577,10/23/2020,kamalaharris said that \xe2\x80\x9cover 220 million americans\xe2\x80\x9d have died in the last \xe2\x80\x9cseveral months\xe2\x80\x9d. \xf0\x9f\xa4\x94\xf0\x9f\xa4\x94\xf0\x9f\xa4\x94well... if anyone is out there i can provide food i can provide shelter i can provide security. if there's anybody out there... anybody please. you are not alone. biden trump,United States of America,California,CA,Donald Trump,0,-0.1\r\n1578,10/23/2020,kayleighmcenany i am always surprised by the honesty the ethical behavior of trump a guy that never lies always given to others .... amazing,United States of America,Florida,FL,Donald Trump,1,0.9\r\n1579,10/23/2020,keep calm and trump on debates2020 debatetonight,United States of America,Texas,TX,Donald Trump,1,0.2\r\n1580,10/23/2020,kellyannepolls did trump share his drugs with you again,United States of America,New Jersey,NJ,Donald Trump,0,-0.6\r\n1581,10/23/2020,kellyannepolls joebiden judging by the first 4 trump has not earned the next 4,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1582,10/23/2020,kellyannepolls realdonaldtrump joebiden clean energy is looking toward the future. trump mocks climate science and imagines the suburbs as a set for leave it to beaver. biden has a vision. trump has only grievances,United States of America,California,CA,Donald Trump,2,0\r\n1583,10/23/2020,kellyannepolls then why was he in such a foul mood as he walked off the stage...pushing melaniatrump trumpkillsus trumpvirus trumphasnocredibility maga2020 kag2020 kag maga trump2020 trump trumpkillsus trumpisnotwell vetsagainsttrump,United States of America,California,CA,Donald Trump,0,-0.8\r\n1584,10/23/2020,kellyannepolls who put kids in cages. trump,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1585,10/23/2020,kirstiealley because trump only wants to spread more lies ....and he does not shut up,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n1586,10/23/2020,kristen welker kept donaldtrump and joebiden on topic during thursday night\xe2\x80\x99s presidentialdebate. in case you missed it here are several takeaways from trump and biden\xe2\x80\x99s final showdown before election day \xf0\x9f\x91\x87\xf0\x9f\x8f\xbf,United States of America,California,CA,Donald Trump,1,0.2\r\n1587,10/23/2020,kristenwelker gets praise as debate moderator including from trump | vote vote2020 earlyvote2020 elections election2020,United States of America,Texas,TX,Donald Trump,1,0.3\r\n1588,10/23/2020,kushner's retail prop in timessquare lost 80% ofits value appraiser. retailapocalypse cre nyc trump jared,United States of America,New York,NY,Donald Trump,2,0\r\n1589,10/23/2020,kwelkernbc is letting trump off the hook without even trying to hold his feet to the fire  based on some of his far-fetched statements that needed to be fact-checked,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1590,10/23/2020,kwelkernbc is letting trump walk all over this debate &amp; get all his lies in. no push back. say you\xe2\x80\x99re moving on when he goes on irrelevant tangents. presidentialdebate2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n1591,10/23/2020,kwelkernbc that was a shockingly disappointing debate. most of what ruined the presidentialdebate was trump and his inability to follow rules be respectful be truthful etc. but what happened to the mute button,United States of America,California,CA,Donald Trump,0,-0.8\r\n1592,10/23/2020,kwelkernbc yes everyone behaved..but i could not tell who you were for i have a little more faith in us journalism.2020debates sheaskedhardquestions 2020presidentialdebate biden trump moderatoroftheyear,United States of America,Virginia,VA,Donald Trump,0,-0.3\r\n1593,10/23/2020,kylegriffin1 trump defunding the police before it was even popular. $750.,United States of America,Idaho,ID,Donald Trump,0,-0.2\r\n1594,10/23/2020,l-r lisa bradford birthday girl gena hixson and cathy rucker at trump maga rally in pensacola \xe2\x81\xa6pnj\xe2\x81\xa9,United States of America,Florida,FL,Donald Trump,2,0\r\n1595,10/23/2020,ladymvoteblue donwinslow trump never fully answered a question posed to him. he used his time to spit out russian propaganda bs,United States of America,Michigan,MI,Donald Trump,0,-0.8\r\n1596,10/23/2020,last night donaldtrump repeated his lie that he was the leastracistpersonintheroom but did you notice that when the lakers won the nba championship trump didn\xe2\x80\x99t call to congratulate them he certainly congratulated the nhl champs. debates2020 debate2020 joebiden,United States of America,California,CA,Donald Trump,1,0.1\r\n1597,10/23/2020,last night\xe2\x80\x99s debate showed us clearly the difference between the 2 candidates. biden was genuinely concerned about the 545children and trump did not. do you really care,United States of America,Nevada,NV,Donald Trump,1,0.2\r\n1598,10/23/2020,last time i checked trump was running a strong 3rd,United States of America,Colorado,CO,Donald Trump,0,-0.4\r\n1599,10/23/2020,least racist. \xf0\x9f\xa4\xac trump,United States of America,Indiana,IN,Donald Trump,0,-0.1\r\n1600,10/23/2020,leastracist donaldtrump,United States of America,South Carolina,SC,Donald Trump,1,0.3\r\n1601,10/23/2020,let's count how many times we hear a lot tonight\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbf\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f bm4f leadfreeusa younggiftedgreen debates2020 presidentialdebate2020 biden trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1602,10/23/2020,let's talk about them missingkids trump,United States of America,California,CA,Donald Trump,0,-0.1\r\n1603,10/23/2020,let's talk about what we're talking about if i had a dollar for every time i thought that debates2020 debate2020 trump biden,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n1604,10/23/2020,let\xe2\x80\x99s follow stars and who they vote for \xf0\x9f\x98\x82 followers i support trump and always will,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n1605,10/23/2020,levi farmer 13 of lexingtonsc in line at trump maga rally in pensacola \xe2\x81\xa6pnj\xe2\x81\xa9,United States of America,Florida,FL,Donald Trump,2,0\r\n1606,10/23/2020,liars are always fast talkers trump,United States of America,Michigan,MI,Donald Trump,0,-0.3\r\n1607,10/23/2020,lied to myself and you -- i tuned in to the debate for a few seconds. trump still says we have so many covid cases because of testing. no surprise.,United States of America,New Jersey,NJ,Donald Trump,0,-0.4\r\n1608,10/23/2020,limerick trump sorry i couldn\xe2\x80\x99t help myself. itsa form of self expression.,United States of America,California,CA,Donald Trump,0,-0.1\r\n1609,10/23/2020,lindseygrahamsc you sold your soul to the devil realdonaldtrump  and now the bill is due and trump is having foxnews coming to collect.,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n1610,10/23/2020,listen to the people that worked under trump\xf0\x9f\x91\x87\xf0\x9f\x91\x87,United States of America,Michigan,MI,Donald Trump,0,-0.2\r\n1611,10/23/2020,listening to trump debates2020,United States of America,California,CA,Donald Trump,2,0\r\n1612,10/23/2020,literally everything trump says is a projection.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1613,10/23/2020,littlemissflint so donaldtrump says america has the cleanest water.......um......,United States of America,Florida,FL,Donald Trump,1,0.1\r\n1614,10/23/2020,liz_wheeler trump has lied 20000 times while in office. twenty thousand times. election2020,United States of America,Minnesota,MN,Donald Trump,0,-0.1\r\n1615,10/23/2020,lmao i can\xe2\x80\x99t anymore this shit is dookie\xf0\x9f\x98\x82 presidentialdebate2020 debatetonight trumpispathetic 2020debate trump joebiden,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1616,10/23/2020,lmao to be fair trump is what $400m or $1b in debt that's definitely blowing away biden's records. debates2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1617,10/23/2020,loan payments loom as trump fights for his political future \xe2\x80\x93 and the future of his business,United States of America,Texas,TX,Donald Trump,2,0\r\n1618,10/23/2020,lookner if trump can pretend to be human tonight why can't he do this more often i still think he would be a terrible person but he would cause infinitely less anxiety.  trump mentioned a rise in alcoholism &amp; suicide but i wouldn't be surprised if he was the cause of that.,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n1619,10/23/2020,lou says vote lindsey out lindseygrahamsc lindseygrahamislosing leningradlindsey thelincolnproject debate2020 donaldtrump trumpmeltdown votebidenharristosaveamerica maga2020landslidevictory,United States of America,Oregon,OR,Donald Trump,0,-0.1\r\n1620,10/23/2020,louis_onofrio even his boy chrischristy said he was on the defensive all night.  you don\xe2\x80\x99t even know what your watching.  oh all my friends like trump so i like him too,United States of America,Connecticut,CT,Donald Trump,2,0\r\n1621,10/23/2020,louis_onofrio the bar is that low.  because trump behaved him self tonight.  he had a \xe2\x80\x9cgood\xe2\x80\x9d debate.  what kind of president says during a debate \xe2\x80\x9c i\xe2\x80\x99m the least racist person in the room.  with a black moderator.    yea good one pres.,United States of America,Connecticut,CT,Donald Trump,0,-0.2\r\n1622,10/23/2020,loving the \xe2\x80\x9ctrump did not drool all over himself so he exceeded expectations\xe2\x80\x9d spin. allegoryfor2020 bidenharristosaveamerica bidenwonthedebate,United States of America,New York,NY,Donald Trump,1,0.6\r\n1623,10/23/2020,lying trump has business and bank accounts in china,United States of America,California,CA,Donald Trump,0,-0.6\r\n1624,10/23/2020,maddow kristenwelker a clear winner in successfully managing secondpresidentialdebate  via msnbc news secondpresidentialdebate2020 election2020 electionday 2020election trump biden bidenharris2020 bidenharris bidenharris2020tosaveamerica,United States of America,Texas,TX,Donald Trump,1,0.6\r\n1625,10/23/2020,maga kag2020landslidevictory vote vote trump trump2020landslide trumpwondebate,United States of America,Montana,MT,Donald Trump,2,0\r\n1626,10/23/2020,maga maga2020 trump pedotrump pedofile jeffreyepstein,United States of America,California,CA,Donald Trump,1,0.1\r\n1627,10/23/2020,maga2020 kag2020 kag maga trump2020 trump trumpkillsus trumpisnotwell vetsagainsttrump veteran veteransfortrump,United States of America,California,CA,Donald Trump,1,0.1\r\n1628,10/23/2020,magaisfibs magaisfear magaisignorance magaisbigotry magaissmears gop trump,United States of America,New York,NY,Donald Trump,2,0\r\n1629,10/23/2020,make america great again thingstrumpsay trump iamtrump iwin america,United States of America,New York,NY,Donald Trump,2,0\r\n1630,10/23/2020,make it rain.....trump... debates2020,United States of America,Illinois,IL,Donald Trump,2,0\r\n1631,10/23/2020,make this the official tweet for the debate who won debates2020  debates  debate  dontrump joebiden donaldtrump,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1632,10/23/2020,maricopagop there are definitely 220000 americans who are under because of trump.  voteblue2020 votebidenharristosaveamerica,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1633,10/23/2020,markknoller i hope someone will track how many deaths from covid there  are at thevillagesfl after this trumprally trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1634,10/23/2020,markmeadows realdonaldtrump then how do you explain trump\xe2\x80\x99s attacks to the democrat run states for the mismanagement of pandemic while the republican states are currently seeing the big surge in the number of cases isn\xe2\x80\x99t it scary as the president to be so ignorant of such critical facttrumpisnotamerica,United States of America,California,CA,Donald Trump,0,-0.8\r\n1635,10/23/2020,markruffalo trump doesnt have netflix so he is dumbtrump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1636,10/23/2020,matt_odell  trump or biden or vote bitcoin and optout \xf0\x9f\x92\xaa\xf0\x9f\x92\xaa\xf0\x9f\x92\xaa,United States of America,New York,NY,Donald Trump,2,0\r\n1637,10/23/2020,maybe your not the big man after all \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3 maga trump aliciahumor funnyfacts truth,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1638,10/23/2020,media can say all they want. but we saw it in 2016. people are afraid to say they vote trump because people call them racist homophobic xenophobic etc. vote trump biden republicans democrats debatetonight debates,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1639,10/23/2020,megynkelly at the end of this debate realdonaldtrump should end thanking kwelkernbc for a fair debate and not the usual hit job. he would score some points. trump debates2020\xc2\xa0 debatetonight biden,United States of America,Nevada,NV,Donald Trump,0,-0.1\r\n1640,10/23/2020,megynkelly it never ceases to amaze me how those on the right think realdonaldtrump did a great job when he\xe2\x80\x99s measured...aka a normal respectable human being.  what a low bar. debate2020 debate debatetonight donaldtrump,United States of America,New York,NY,Donald Trump,2,0\r\n1641,10/23/2020,meidastouch trump is stumping for putin putinspuppet putinsgop,United States of America,California,CA,Donald Trump,2,0\r\n1642,10/23/2020,meiselasb trumpcrimefamilyforprison trump crimefamily,United States of America,Texas,TX,Donald Trump,2,0\r\n1643,10/23/2020,mexicans latinos &amp; hispanics should never vote 4 trump. trump is a racist calling them rapists &amp; criminals. trump has never did any 4 the black community. debates2020 debatetonight vote presidentialdebate2020 debate debate2020 mexicans hispanics voteready vote2020,United States of America,Alabama,AL,Donald Trump,0,-0.5\r\n1644,10/23/2020,michaelsteele especially considering who the moderator was. trump \xf0\x9f\xa4\xa1 show.,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1645,10/23/2020,midwincharles ericboehlert trump's bar is underground.,United States of America,Illinois,IL,Donald Trump,2,0\r\n1646,10/23/2020,migopchair erinmperrine joebiden trump lost his trade war with china. he is a loser. votebidenharristosaveamerica,United States of America,Minnesota,MN,Donald Trump,0,-0.2\r\n1647,10/23/2020,mikehahn_ kayleighmcenany sorry but what do you refer to as mood of team trumpgrumpy trump and his baseball bat how low will you all go with realdonaldtrump just wake up and see there\xe2\x80\x99s no team trump including anybody else but him and his bully nature sometimes his children and maybe pence,United States of America,California,CA,Donald Trump,0,-0.7\r\n1648,10/23/2020,mikekalinowski also what has trump done these last 4 years in office while having republicans in charge of the senate,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1649,10/23/2020,military families didn\xe2\x80\x99t give you covid trump you never had it  all a publicity stunt  pendejo,United States of America,District of Columbia,DC,Donald Trump,0,-0.9\r\n1650,10/23/2020,millennials owned just 4.6% of us wealth in 2020 despite being the largest portion of the workforce. the us actually has a bigger problem than just getting rid of trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1651,10/23/2020,mmfa it's a good thing only people who were already voting for trump were exposed to this conspiracy and nobody who thinks cares.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1652,10/23/2020,mmpadellan trump is confessing that he is selling pillows &amp; sheets; everything he accuses others of he has done or is doing his tell is so obvious with his facial expressions the orange color hides his red face. i have noticed his orange color is darker when he is going to lie a lot,United States of America,California,CA,Donald Trump,0,-0.7\r\n1653,10/23/2020,moderator on it is that a guarantee no... trump debate vaccine operationwarpspeed,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n1654,10/23/2020,moderator\xe2\x80\x99s tone is far more aggressive toward trump. she won\xe2\x80\x99t jump on biden.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n1655,10/23/2020,mog7546 itsweezie this is probably just laying down a marker for when .realdonaldtrump loses the election. he\xe2\x80\x99ll say \xe2\x80\x9chow could i have lost the election how could\xe2\x80\x99ve republicans lost the senate we were supposed to win the house\xe2\x80\x9d i can hear trump\xe2\x80\x99s diatribe now.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1656,10/23/2020,mollysmcdonough rudepundit cnn and the trump's lost the lawsuit.,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n1657,10/23/2020,mood when ever trump begin speaking during the debate2020,United States of America,New York,NY,Donald Trump,2,0\r\n1658,10/23/2020,morethanmysle frangeladuo trump bragging about farting wasn't on my debate2020 drinking bingo card.,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1659,10/23/2020,most americans will not receive the treatment trump received to fight covid19. his incompetence in handling the pandemic has led to millions of getting infected. debates2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1660,10/23/2020,most kids get their politics from their parents. so the last 4 years - all of the people that voted for trump have definitely told their kids to support trump while they were in college and high school. 8 years of young voters that you can't poll trump biden election2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n1661,10/23/2020,msnbc lawrence and trump said it 3 times.,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1662,10/23/2020,mute buttons continue to be one of the most valuable inventions in history. trump election2020 vote mutebutton \xf0\x9f\xa4\x90 \xf0\x9f\xa4\xab,United States of America,Louisiana,LA,Donald Trump,1,0.4\r\n1663,10/23/2020,muzzle this devil. trump this moderator is on my last nerves.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1664,10/23/2020,my  is talking about how inadequate academic expectations of university students are in the time of covid19 covid_19 coronavirus. just watched wwi season of upstairsdownstairs -still so good-&amp;thinking trump did bring this generation into a kind of war,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n1665,10/23/2020,my favorite part of the debate was when trump said he was the least racist person because he couldn\xe2\x80\x99t see the audience. \xf0\x9f\xa4\xa3like if he could he still wouldn\xe2\x80\x99t see them. tell you what biden actually sees the people in pain and in need of social justice. bidenharris2020,United States of America,Washington,WA,Donald Trump,0,-0.4\r\n1666,10/23/2020,my goodness \xf0\x9f\x92\xa5 donald j. trump was so very intelligent strong pointed and presidential this evening.\xef\xbf\xbc americastrong vshapedrecovery trump 4moreyears backtowork debatetonight,United States of America,California,CA,Donald Trump,1,0.6\r\n1667,10/23/2020,nancihobson davidmweissman joe is corrupt i\xe2\x80\x99m an independent and i did the research trump,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1668,10/23/2020,nancy pelosi was dancing around in chinatown - president trump debates2020 trump biden,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1669,10/23/2020,nashville for trump vote votetrump2020,United States of America,Tennessee,TN,Donald Trump,1,0.2\r\n1670,10/23/2020,national security.  door is open. trump biden debates2020,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1671,10/23/2020,neither trump nor biden care about the avg american. they only care about themselves &amp; their image. bidenharris2020 will just be another admin for us to try to survive. they will make life worse and make the world worse not better. debate finaldebate debates2020,United States of America,Missouri,MO,Donald Trump,0,-0.6\r\n1672,10/23/2020,netretired undecidedname4 flotus presssec brikeilarcnn rawstory cspan trump realdonaldtrump trumpsuckerandloser,United States of America,California,CA,Donald Trump,2,0\r\n1673,10/23/2020,new in thehill slippery biden &amp; frenetic trump go at it. for trump missed opportunities. for biden typical politician mode. elections2020 debates2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1674,10/23/2020,new jersey governor chrischristie who got sick/spread covid19 at super spreader event at white house trump talks to ohio  maskup,United States of America,Ohio,OH,Donald Trump,0,-0.7\r\n1675,10/23/2020,news flash trump admits abraham lincoln might have been a better president.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1676,10/23/2020,newsflash trump will release his tax returns as soon his audits are done. \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,Ohio,OH,Donald Trump,2,0\r\n1677,10/23/2020,newsflash. you can't prepay your taxes it is impossible  presidentialdebate2020 debates2020 debates trump biden,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1678,10/23/2020,next part on q3 regarding coronavirus strategy... trump gets a follow up question after biden validly pointing out the prez's re-open schools rhetorical parade earlier this year. trump doubled down on that &amp; i bet in fact checking lied about contraction rates. debates,United States of America,California,CA,Donald Trump,0,-0.2\r\n1679,10/23/2020,nj ready to save the market today...... newjersey trump stimulus stimuluschecks executiveorder robinhood stocks wallstreet dow dow40k,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n1680,10/23/2020,no matter what it is trump always makes it about him,United States of America,Texas,TX,Donald Trump,1,0.6\r\n1681,10/23/2020,no one except the king of corruption trump is calling biden corrupt.  no one.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1682,10/23/2020,no rational person could watch that and not think biden didn\xe2\x80\x99t kick trump\xe2\x80\x99s ass all over the place... debates2020,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1683,10/23/2020,no windmills think of the birds trump debates2020 renewableenergy,United States of America,South Carolina,SC,Donald Trump,0,-0.5\r\n1684,10/23/2020,no. she\xe2\x80\x99s letting trump ramble &amp; spew lies,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1685,10/23/2020,nobody tougher on russia  c\xe2\x80\x99mon realdonaldtrump.  you\xe2\x80\x99re sucking putin\xe2\x80\x99s dick and you know it trump trumpisaloser debates2020 debates debatetonight biden biden2020,United States of America,California,CA,Donald Trump,0,-0.7\r\n1686,10/23/2020,north carolina man arrested after he\xe2\x80\x99s discovered with guns explosives in plot to assassinate joe biden biden election trump kidnap assault northcarolina gun explosive,United States of America,Maryland,MD,Donald Trump,0,-0.6\r\n1687,10/23/2020,not sure i can handle the stress &amp; anxiety that comes w/ the november 3 election.   i cannot see or fathom the impact a second trump administration would have on the lives of minorities women lgbtq+ refugees.  it would be an america that does not resemble the intentions of,United States of America,Michigan,MI,Donald Trump,0,-0.6\r\n1688,10/23/2020,notaghosttown trump,United States of America,New York,NY,Donald Trump,2,0\r\n1689,10/23/2020,nothing that was said tonight will be in the news by sunday so on balance donaldtrump did much better than the first debate but didn't move the needle. debatetonight debates2020,United States of America,New York,NY,Donald Trump,2,0\r\n1690,10/23/2020,notice trump didn\xe2\x80\x99t put out one number or statistic the entire night all i know about his proposals is they are or will be better than anything we\xe2\x80\x99ve ever seen. but not one word on how much or where any money will come from. debates2020,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1691,10/23/2020,nyyankees42hof trump did not answer any of the questions but just wanna argue about that dont matter. charactermatters bidenharris2020,United States of America,Nevada,NV,Donald Trump,0,-0.1\r\n1692,10/23/2020,obama care told my mother she should just exist and she was fine.  trump care made it possible for her to get therapy and improve to come home from the nursing home.,United States of America,District of Columbia,DC,Donald Trump,1,0.5\r\n1693,10/23/2020,obama did not cage children. that was uniquely a trump policy. it has been called torture and govt-sanctioned child abuse. trumplies latinovote latinos4trump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1694,10/23/2020,obamacare and the mandatory penalty are problematic for the poor in particular but two weeks away from the elections mr.trump you still have no health care plan debates2020,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1695,10/23/2020,oh no joe got called out on his debate lie.  debatetonight  debate2020 foxnews msnbc bbcnews biden trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n1696,10/23/2020,oh now he prepaid millions of taxes trumpmeltdown trumpisanationaldisgrace trumpisalaughingstock trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1697,10/23/2020,oh please... \xf0\x9f\x99\x8f\xf0\x9f\x8f\xbb trump debates2020,United States of America,California,CA,Donald Trump,1,0.1\r\n1698,10/23/2020,oh shit now donaldtrump wants to start talking shit about kamalaharris. it would be awesome if he could debate her at least once she\xe2\x80\x99d rake his ass over the coals debatetonight debate2020,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1699,10/23/2020,ohhh it\xe2\x80\x99s good. ethics integrity trump trump2020. good one kelly4freedom,United States of America,Massachusetts,MA,Donald Trump,1,0.3\r\n1700,10/23/2020,ohhhh...so somebody bout to lie lie about the state of our environment \xf0\x9f\x91\x80\xf0\x9f\xa4\x94  bm4f leadfreeusa younggiftedgreen debates2020 presidentialdebate2020 biden trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1701,10/23/2020,ok so this is showing that trump will now be looking for  his last bag of gop dirty tricks using the  doj russia  china wiki or  ukraine interference help to try to pull a hilary distraction... votehimout biden votebiden goptraitors resist gopcorruptionovercountry,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1702,10/23/2020,okay so trump say bye to nc &amp; az.  presidentialdebate,United States of America,California,CA,Donald Trump,1,0.1\r\n1703,10/23/2020,omg. i am sooo happy i tuned in to debate2020 debatetonight. i would have never learned that trump is the \xe2\x80\x9cleast racist person.\xe2\x80\x9d,United States of America,Washington,WA,Donald Trump,1,0.2\r\n1704,10/23/2020,on the topic of minimum wage- it's not going to jump to 15.00 it will be phased in. people can't live on 8.56 an hour. trump has lived in a bubble his whole life - he does not seem to understand how real life works debate2020,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1705,10/23/2020,one thing i love about biden he accepted mistakes he has made in the past he has stated he is making changes this is the caliber of a president. he is human trump debate2020 families debatetonight children metoo hollywooddiversity iamhere love family,United States of America,Georgia,GA,Donald Trump,1,0.6\r\n1706,10/23/2020,one true statement by trump tonight \xe2\x80\x9ci know more about wind than you do\xe2\x80\x9d debates2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1707,10/23/2020,ongoing russian cyberattacks are targeting u.s. election systems feds say  russia biden trump election2020,United States of America,New Mexico,NM,Donald Trump,0,-0.2\r\n1708,10/23/2020,only 89 days until trump's last day unless congress does something first trump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1709,10/23/2020,opening was simply a warning to take turns talking. lol. stronglywordedpod presidentialdebate2020 presidentialdebate biden trump debatefly,United States of America,Florida,FL,Donald Trump,2,0\r\n1710,10/23/2020,operation warp speed is really how fast trump will flee the white house in january 2021. trump bidenharris2020 debates2020 operationwarpspeed gop,United States of America,New York,NY,Donald Trump,1,0.1\r\n1711,10/23/2020,or course biden pivots to the chinabankaccount &amp; taxreturn scandals instead of answering trump's questions &amp; claims on russia which is odd but not surprising. i agree that realdonaldtrump still has to answer for his taxes by being fully transparent. debates2020 debates,United States of America,California,CA,Donald Trump,0,-0.1\r\n1712,10/23/2020,oregongovbrown trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Oregon,OR,Donald Trump,1,0.2\r\n1713,10/23/2020,out of 330 mln people how are we stuck with these two for the most important job in the world \xf0\x9f\xa4\xaf debates2020 biden trump,United States of America,New York,NY,Donald Trump,1,0.1\r\n1714,10/23/2020,patriotic music blares as residents anxiously await president donald trump at thevillages polo club.,United States of America,Florida,FL,Donald Trump,1,0.2\r\n1715,10/23/2020,patriotsofmars joebiden 50cent republicans are screaming 50cent name because of a ig post he made in reference to biden\xe2\x80\x99s tax increase on the rich the 1% when none of you guys including trump has ever invested in 50\xe2\x80\x99s career purchased a cd went to a show paid to see a movie he produced,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1716,10/23/2020,pattyarquette theyaya001 whatever donaldtrump lies about below are the facts. vote,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1717,10/23/2020,pay attention realdonaldtrump. but more importantly...we must votebidenharris2020. trump has done nothing about the coronavirus from january to today.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1718,10/23/2020,pedorudy pedofile pedotrump trump rudyguliani rudythepedo maga maga2020landslide,United States of America,California,CA,Donald Trump,2,0\r\n1719,10/23/2020,petebuttigieg ehhh i\xe2\x80\x99ll pass on masks and sleepy joe and i\xe2\x80\x99ll vote for freedom and trump,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1720,10/23/2020,piece of living shit donaldtrump,United States of America,Massachusetts,MA,Donald Trump,0,-0.9\r\n1721,10/23/2020,please - don't make me say a wind joke. you know that's going to be the butt of twitter tomorrow. trump debate we know you know more about wind than any of us. windbag,United States of America,California,CA,Donald Trump,0,-0.3\r\n1722,10/23/2020,politicususa hanna_darl tfw you realize trump is tired of all the winning....,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1723,10/23/2020,poor boys 1b in debt. he's one of yours. proudboys trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n1724,10/23/2020,poor thing he can't keep anything straight trump debatetonight,United States of America,California,CA,Donald Trump,0,-0.8\r\n1725,10/23/2020,prepaytaxes  lol donaldtrump \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f\xf0\x9f\xa4\xa3 he\xe2\x80\x99s pathetic,United States of America,Ohio,OH,Donald Trump,0,-0.8\r\n1726,10/23/2020,pres. trump invites someone central to this newyorkpost article as special guest for tonight's presidentialdebate\xe2\x80\x94tonybobulinski ex business partner of hunterbiden. tomorrow bobulinski turns over his evidence against hunter to the ussenate &amp; fbi.,United States of America,California,CA,Donald Trump,0,-0.1\r\n1727,10/23/2020,president donaldtrump has known for over a month that new coronavirus infections have been soaring even as the whitehouse has lied about the seriousness of the surge documents released tuesday by a leading democratic lawmaker show,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n1728,10/23/2020,president obama did not rip kids away from their parents trump you did that debates2020,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1729,10/23/2020,president trump lands at thevillages polo club for 430 pm rally.,United States of America,Florida,FL,Donald Trump,2,0\r\n1730,10/23/2020,president trump plans to bring hunter biden associate tony bobulinski as guest to debate | fox news,United States of America,California,CA,Donald Trump,2,0\r\n1731,10/23/2020,presidential debate was owned by kwelkernbc - she\xe2\x80\x99s a rockstar \xf0\x9f\x8c\x9fand a true professional in that order. presidentialdebates2020 biden2020 trump chriswallace,United States of America,Washington,WA,Donald Trump,1,0.4\r\n1732,10/23/2020,presidential historian meacham describes trump supporters as 'anguished' white guys with 'a lizard brain' government politicalviews trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1733,10/23/2020,presidential historian meacham describes trump supporters as 'anguished' white guys with 'lizard brain' thehill,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1734,10/23/2020,presidentialdebate2020 joebiden says if elected he will do everything that trump is doing. \xf0\x9f\x98\x85,United States of America,Florida,FL,Donald Trump,2,0\r\n1735,10/23/2020,presidentialdebate2020 no hands went up for trump. \xf0\x9f\x91\x87\xf0\x9f\x87\xb5\xf0\x9f\x87\xb7\xf0\x9f\x91\x8d,United States of America,California,CA,Donald Trump,0,-0.1\r\n1736,10/23/2020,presidentialdebate2020 trump maga,United States of America,Wisconsin,WI,Donald Trump,2,0\r\n1737,10/23/2020,presidentialdebate2020 trump winning,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1738,10/23/2020,presidentialdebate2020 whenever trump writes notes while biden is speaking this is what i imagine he is doing,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n1739,10/23/2020,presidentobama takes up a lot of space in trump's diminished brain.,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n1740,10/23/2020,pressmcdowell cnnpolitics and the people getting sick from pollution next to plants.  he actually said they should be happy - they have jobs.  what a douche donaldtrump.  how heartless.  and no - the country wasn't picture perfect pre covid. get out of your bubble. maga vote for joebiden,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1741,10/23/2020,primrosechina oh my goodness i am so sorry. hopefully we and others that have lost loved ones to covid19 can make trump a 1 term liarinchief chief. take good care.,United States of America,Kentucky,KY,Donald Trump,0,-0.1\r\n1742,10/23/2020,projectlincoln it\xe2\x80\x99s no wonder trump wants to stay in office...he has a divorce and a mound of debt to deal with. loserinchief melania trump divorcetrump,United States of America,California,CA,Donald Trump,0,-0.3\r\n1743,10/23/2020,projectlincoln please projectlincoln ronsteslow steveschmidtses   address on your podcast. people need to know how trump admin is using cybersecurity laws to silence whistleblowers exposing corruption.,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n1744,10/23/2020,proof of trump\xe2\x80\x99s racism an oral history - donald is abrahamlincoln i'm the least racist person in this room. demdebate,United States of America,California,CA,Donald Trump,0,-0.2\r\n1745,10/23/2020,provided for context. biden trump politics debate politics tech technology technews debate socialmedia livestreaming artificialintelligence election2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n1746,10/23/2020,qtrresearch you're patently biased. trump has very few facts and talks with his hands. very low comprehension skills.,United States of America,Kansas,KS,Donald Trump,0,-0.8\r\n1747,10/23/2020,quick comments on joebiden and hunterbiden and about the upcoming debates thedebates nbc trump bidencollusion,United States of America,New York,NY,Donald Trump,1,0.1\r\n1748,10/23/2020,quick show of hands \xe2\x9c\x8b\xf0\x9f\x8f\xbd how many black folks really feel like trump has done the most for them than almost any other president. debates2020,United States of America,Texas,TX,Donald Trump,1,0.5\r\n1749,10/23/2020,racism question .  donaldtrump just needs to answer with 1 response. \xe2\x80\x9c if u vote for donald trump u ain\xe2\x80\x99t black\xe2\x80\x9d- joebiden  sleepyjoe debates2020 debates racism sleepyjoe democrat,United States of America,California,CA,Donald Trump,0,-0.7\r\n1750,10/23/2020,radicalleft is so woke but they don't know the term coyote is used for a drug smuggler. i'm mind blown on how many thought that trump meant they were coming to the usa on actual coyotes. must need an old white liberal  woman to write a drawn out book that explains it to them,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1751,10/23/2020,randyrainbow i had a different reaction. i've concluded that nbcnews and msnbc are the new foxnews since their anchors constantly keep sabotaging bidenharris2020 and supporting trump and his maga cult,United States of America,Arizona,AZ,Donald Trump,0,-0.2\r\n1752,10/23/2020,rascistinchief trump,United States of America,Nebraska,NE,Donald Trump,2,0\r\n1753,10/23/2020,raulbaz trump esta medicado,United States of America,New York,NY,Donald Trump,2,0\r\n1754,10/23/2020,real talk  i\xe2\x80\x99m fairly certain many of my white relatives are voting for trump.  don\xe2\x80\x99t even have the energy to convince them not too,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1755,10/23/2020,realannapaulina ...exactly don't be a maybe - trump election2020 debatetonight,United States of America,California,CA,Donald Trump,0,-0.3\r\n1756,10/23/2020,realbillrussell i just found out joebiden is against windows trump,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n1757,10/23/2020,realdonaldtrump  joebiden and the immediate biden crime family got bobulinskied lyingjoebiden as some people hate trump more than they love america \xe2\x80\x9cthey are so far left they forgot what\xe2\x80\x99s right.\xe2\x80\x9d \xc2\xa9 zouvelosgeorge 2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1758,10/23/2020,realdonaldtrump career politician and liar.  same thing. lyinbiden votetrump2020 vote trump,United States of America,Tennessee,TN,Donald Trump,0,-0.4\r\n1759,10/23/2020,realdonaldtrump crazynancy speakerpelosi holding up stimulus hostage to hurt trump re-election potus potus,United States of America,California,CA,Donald Trump,0,-0.5\r\n1760,10/23/2020,realdonaldtrump dear florida my favourites spreaders  trumpmeltdown trump trumpispathetic,United States of America,District of Columbia,DC,Donald Trump,1,0.8\r\n1761,10/23/2020,realdonaldtrump go vote or i\xe2\x80\x99m out.... trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1762,10/23/2020,realdonaldtrump he never said he would ban fracking you still haven't proved your point.. oh yay you are liar trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1763,10/23/2020,realdonaldtrump i found it fascinating with the question what would you say to the american people on inauguration day joebiden knew what he'd say. he improvised a whole speech.  donaldtrump had no idea and just complained for 2 mins  omg. am i the only one who saw that  maga,United States of America,New York,NY,Donald Trump,2,0\r\n1764,10/23/2020,realdonaldtrump i guess this means trump won the election. the president\xe2\x80\x99s supporters can all relax now i saw the debate. donors should hold on to their cash. he doesn\xe2\x80\x99t need it. you don\xe2\x80\x99t even need to vote.,United States of America,California,CA,Donald Trump,0,-0.2\r\n1765,10/23/2020,realdonaldtrump in this ad joebiden says no new fracking trump trump2020 trumpvirus maga2020 kag2020 kag maga trump2020 trump trumpkillsus trumpisnotwell vetsagainsttrump veteran veteransfortrump veteran maga maga2020,United States of America,California,CA,Donald Trump,0,-0.6\r\n1766,10/23/2020,realdonaldtrump is legitimately a parody of himself but not in the fun guyfieri way in the weird patrickbateman sort of way. americanpsycho trump science debates2020,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n1767,10/23/2020,realdonaldtrump it's so over turd buh bye trump,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n1768,10/23/2020,realdonaldtrump i\xe2\x80\x99m about to wreck you. i imagine when donaldjtrumpjr ivankatrump erictrump got that look as teenagers when they tried to get away with something. donaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n1769,10/23/2020,realdonaldtrump joebiden here you go trump  trumpvirus,United States of America,California,CA,Donald Trump,0,-0.1\r\n1770,10/23/2020,realdonaldtrump joebiden they\xe2\x80\x99re talking about federal land and phasing it out because surprise surprise it is old school just like trump,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n1771,10/23/2020,realdonaldtrump just said covid19 will be around a year and a half. debates2020 trump,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1772,10/23/2020,realdonaldtrump literally blames china like they developed a whole virus on purpose or something \xf0\x9f\x98\x82 dmediacombs presidentialdebate2020 covid19 trump biden,United States of America,Arkansas,AR,Donald Trump,0,-0.8\r\n1773,10/23/2020,realdonaldtrump mr president on behalf of the entire planet i would beg you please don't  dance again.. ever.. i watched it and now i'm having difficulty unseeing it. i have become depressed my vision is gone and i am continually nauseous. your dancing is unholy. thedailyshow trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1774,10/23/2020,realdonaldtrump no dude you\xe2\x80\x99re not answering the question. what is your plan to repla the aca  obamacare. you don\xe2\x80\x99t have a plan for anything your only plan is to steal the election. bidenharris bidenharris2020 presidentialdebate2020 trump latinosforbiden,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1775,10/23/2020,realdonaldtrump trump,United States of America,New York,NY,Donald Trump,2,0\r\n1776,10/23/2020,realdonaldtrump trump likes megynkelly except when he doesn\xe2\x80\x99t,United States of America,California,CA,Donald Trump,0,-0.3\r\n1777,10/23/2020,realdonaldtrump trump trumpisacoward trumplandslide2020loss to bidenharris2020 \xf0\x9f\x98\x83,United States of America,California,CA,Donald Trump,1,0.4\r\n1778,10/23/2020,realdonaldtrump what trump doesn\xe2\x80\x99t show in this video is that most of those business when bankrupt left people whiteout paying them and cheated the irs joewillleadus not pretend to be a leader and not lie to the usa.,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n1779,10/23/2020,realdonaldtrump\xe2\x80\x99s inaugural speech sucks. don\xe2\x80\x99t let him say it in january. trump presidentaldebate bidenharris2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n1780,10/23/2020,realrlimbaugh realdonaldtrump maga kag trump,United States of America,Ohio,OH,Donald Trump,2,0\r\n1781,10/23/2020,rebecca solnit on black swans slim chances and the 2020presidentialelection  via lithub donaldtrump blackswans usa,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1782,10/23/2020,red wave is here redwave2020 troublesomefire trump,United States of America,Texas,TX,Donald Trump,2,0\r\n1783,10/23/2020,release as soon as we can \xf0\x9f\xa4\xa3\xf0\x9f\x98\x82 when have we heard that before debates2020 trump,United States of America,New York,NY,Donald Trump,1,0.5\r\n1784,10/23/2020,remember bunker bitch lol debates2020 debate2020 trump biden,United States of America,Georgia,GA,Donald Trump,0,-0.9\r\n1785,10/23/2020,remember that trump is a racist sexist rapist etc. and he made racist comments tonight at the presidentialdebate. presidentialdebates2020,United States of America,Illinois,IL,Donald Trump,2,0\r\n1786,10/23/2020,remember to dispose of your trump baby balloon properly after nov. 3rd. make sure it doesn't end up in the ocean killing whales or taking out cruise ships.,United States of America,California,CA,Donald Trump,0,-0.1\r\n1787,10/23/2020,remind me again who your kids work for trump debates2020,United States of America,Texas,TX,Donald Trump,1,0.4\r\n1788,10/23/2020,repjerrynadler tony201713 dhsgov mr. chairman impeach trump again.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1789,10/23/2020,repmattgaetz realdonaldtrump whatlet\xe2\x80\x99s get your facts straightyou are junior politician but should know betterbiden said they had republican senate not congresshouse of representatives of which you are member impeached trumprepublican senate acquitted him of those chargeswho are you trying to fool,United States of America,California,CA,Donald Trump,0,-0.8\r\n1790,10/23/2020,repmattgaetz realdonaldtrump you referring to the billions of dollars paid to the taliban to keep peace that was broken within days of trump thetraitors deal like all his deals there is no foundation.,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1791,10/23/2020,republican pollster says trump won the final debate but biden \xe2\x80\x98won the war\xe2\x80\x99,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1792,10/23/2020,result of 'howdy modi' trump calls india's air 'filthy' kapil sibal biharelections,United States of America,California,CA,Donald Trump,0,-0.8\r\n1793,10/23/2020,ricksantorum do you live under a rock because yes they have- a whole lotta people have called trump a racist go talk to some people that have known him from the 70's80's90's...,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1794,10/23/2020,ricksantorum you\xe2\x80\x99re completely delusional and pathetic in your defense against trump. again cnnpolitics cnn cnnbrk why is this clown still on your network liar santorumnotcredible presidentialdebates2020,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n1795,10/23/2020,right the debatemoderator should have turned-off trump's microphone several times during tonight's debate\xf0\x9f\xa4\x94\xf0\x9f\xa4\x94\xf0\x9f\xa4\x94,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1796,10/23/2020,rock and roar mr. president\xe2\x9c\x8a\xf0\x9f\x8f\xbc\xf0\x9f\xa4\x99\xf0\x9f\x8f\xbc\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trump roar vote brat woc  chicago illinois,United States of America,Illinois,IL,Donald Trump,2,0\r\n1797,10/23/2020,rodrigo4nyc she let trump talk over her 3 times not impressed sorry she failed us,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1798,10/23/2020,roundingtheturn that\xe2\x80\x99s what maga trump says about covid19 meanwhile 75000 cases were reported just yesterday and highest death. votebluetoendthisnightmare,United States of America,Illinois,IL,Donald Trump,2,0\r\n1799,10/23/2020,rudepundit cnn at least trump is consistent. he's been a racist for 60 years.,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1800,10/23/2020,russia &amp; iran do not want trump to win bc he\xe2\x80\x99s tougher on russia than any president since the start of the cold war &amp; is basically choking out iran\xe2\x80\x99s gov - that\xe2\x80\x99s why he\xe2\x80\x99s says \xe2\x80\x9cthey\xe2\x80\x99ll want to make a deal very soon.\xe2\x80\x9d,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1801,10/23/2020,russia sees 15700 new covid-19 cases in past 24 hours trump government whitehouse,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1802,10/23/2020,sanctionturkey debatetonight positions positionstonight debates2020 donaldtrump alllivesmatter gofundme,United States of America,California,CA,Donald Trump,2,0\r\n1803,10/23/2020,sarahksilverman too much chances for trump ... move on move on okay okay but he keeps talking debates2020 we are waiting for  trumpmeltdown,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1804,10/23/2020,schools need to be leadfree as well. not all states even have laws mandating testing for lead in school drinking water. lead exposure+ covid+opening schools too quickly=\xe2\x98\xa0 bm4f leadfreeusa younggiftedgreen debates2020 presidentialdebate2020 biden trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1805,10/23/2020,scoobastevebt brinojason brianrayguitar caslernoel and i\xe2\x80\x99d swear trump\xe2\x80\x99s pupils widened too,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n1806,10/23/2020,scottbaio rocking the game face for tonight's debate. debates2020 debatenight trumpmeltdown trump,United States of America,Oregon,OR,Donald Trump,1,0.3\r\n1807,10/23/2020,scrowder biden denounces a white supremacist group while using the wrong name. trump refuses to denounce white supremacists and pretends he doesn't know who the proud boys are. which transgression is worse if you think the former youmightbearacist,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1808,10/23/2020,se mira m\xc3\xa1s estresado donaldtrump amigu\xc3\xad mhonividente que joebiden debates2020,United States of America,California,CA,Donald Trump,1,0.2\r\n1809,10/23/2020,secret chinese bank account remains a problem for trump.  via msnbc,United States of America,California,CA,Donald Trump,0,-0.3\r\n1810,10/23/2020,seeing a big ol chevy truck drive by my house with a huge trump &amp; american flag in the back was nice. new york is changing slowly it's getting more noticeable \xf0\x9f\x91\x8d \xf0\x9f\x87\xba\xf0\x9f\x87\xb2,United States of America,New York,NY,Donald Trump,1,0.2\r\n1811,10/23/2020,senwarren reppressley repbarbaralee c'mon i like ewarren no one goes after trump with as much zeal/gusto &amp;\xf0\x9f\x94\xa5. however; as a black man who've lived in boston most of his life i can\xe2\x80\x99t ignore the fact\xe2\x80\x94warren's never been this senator to the local black community she's suggesting to be nationally bospoli mapoli,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n1812,10/23/2020,serious question when trump speaks ami the only one that hears both a whining toddler and nails to a chalkboard  i can\xe2\x80\x99t be the only one debates2020 dumptrump dumptrump2020 trumpisnotwell trump,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1813,10/23/2020,sharing this because i can\xe2\x80\x99t be the only one who didn\xe2\x80\x99t understand some of realdonaldtrump \xe2\x80\x98s references tonight. potus slate foxnews debate2020 joebiden donaldtrump debates2020 debatetonight,United States of America,California,CA,Donald Trump,0,-0.1\r\n1814,10/23/2020,shawnduquette4 frances_fisher i heard ya. but respectfully i must add one correction trump did this. trump and his administration separated families.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1815,10/23/2020,since june nys has had the 3rd lowest covid19 positivity rate in the usa. we are nytough and are proud of our public health and leaders on our progress with covid-19.   glad trump moved out good riddance  we'll keep nygovcuomo and melissadderosa and healthnygov,United States of America,New York,NY,Donald Trump,1,0.3\r\n1816,10/23/2020,since most lay people when thinking about history think of it as what occurred over their lifetimes it's not a huge gaffe to say that trump is the most racist president in history.,United States of America,New Jersey,NJ,Donald Trump,0,-0.5\r\n1817,10/23/2020,sjstiers maryltrump maybe trump can sell the border kids and pay down his $1 billion in personal debt.,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1818,10/23/2020,so according to trump being \xe2\x80\x9cheavily employed\xe2\x80\x9c and \xe2\x80\x9cmaking tremendous amount of money\xe2\x80\x9d justifies poisoning their living environment,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1819,10/23/2020,so biden just called trump abraham lincoln.... wow... i can\xe2\x80\x99t even.,United States of America,New Jersey,NJ,Donald Trump,0,-0.2\r\n1820,10/23/2020,so far i have this debate going to trump.,United States of America,North Carolina,NC,Donald Trump,0,-0.3\r\n1821,10/23/2020,so great trump meltdown is on its way  wasting time on dredging up old lies vs talking about forward-looking plans debate2020,United States of America,California,CA,Donald Trump,0,-0.2\r\n1822,10/23/2020,so happy to see they have the mics under control this time around. debates2020 presidentialdebate2020 biden trump finaldebatefox,United States of America,Oregon,OR,Donald Trump,1,0.5\r\n1823,10/23/2020,so hows the campaign going for you trump,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n1824,10/23/2020,so i\xe2\x80\x99m trying to watch the debate2020 recaps on cnn foxnews &amp; msnbc   it\xe2\x80\x99s all partisan crap. \xf0\x9f\x99\x84 ugh.   trump biden,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n1825,10/23/2020,so now evading taxes is \xe2\x80\x9cprepaying tens of millions\xe2\x80\x9d cmon you are such a liar and now you are a victim \xe2\x80\x9cthey treat me terribly\xe2\x80\x9d cmon how are trump maga morons buying this stuff realdonaldtrump,United States of America,New York,NY,Donald Trump,0,-0.9\r\n1826,10/23/2020,so they take down the the protective screens for the debate because apparently trump tested negative for covid19 ... a brain heart and soul votebidenharristosaveamerica voteblue votebiden votebidenharris2020 votebluetosaveamerica votebluenomatterwho bluewave trumpvirus,United States of America,Georgia,GA,Donald Trump,0,-0.7\r\n1827,10/23/2020,so trump brought a guest to this debate to rattle biden and biden brought mikepence fly. win- biden,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1828,10/23/2020,so trump is still peddling the false line about testing. makes me want to bang my head against a wall. \xf0\x9f\x98\xa1,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1829,10/23/2020,so trump wants to crawl in a hole at the white house for a year and a half so he knows coronavirus is gonna last until 2022 trumpvirus trumpmeltdown trumpisnotwell debates2020 debatetonight,United States of America,Rhode Island,RI,Donald Trump,0,-0.3\r\n1830,10/23/2020,so who do you think won that debate biden or trump debates2020 biden trump presidentialdebate2020,United States of America,California,CA,Donald Trump,0,-0.5\r\n1831,10/23/2020,so why can\xe2\x80\x99t trump respond to joe\xe2\x80\x99s accusations about putin. debates2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n1832,10/23/2020,socializedmedicine is a phrase fanning populist flames and channeling dated coldwar fears. potus trump ought to stop weaponizing the phrase and drop the charade. we americans finance our own later in life medicare insurance with our fica paycheck contributions. debates2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1833,10/23/2020,solid debate by joebiden. my takeaways 1. we're dying from covid not living with it 2. stock market isn't how families measure their economy 3. trump doesn't have a plan to replace coverage if obamacare is killed. check out my analysis now on telemundonews unnuevodia,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1834,10/23/2020,some chart trump \xf0\x9f\x91\x8e\xf0\x9f\x8f\xbc,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n1835,10/23/2020,someone tell realdonaldtrump that joebiden is not the president.  the covid19 bungle is all trump debates2020,United States of America,Massachusetts,MA,Donald Trump,0,-0.3\r\n1836,10/23/2020,spent 12 hours today telling my kids to stop yelling/screaming/bothering/fighting/annoying each other. and now i get to watch the replay. \xf0\x9f\x98\xb1\xf0\x9f\x98\xb3\xf0\x9f\x98\xad\xf0\x9f\xa4\xaf debate momlife parenting debates2020 sleepyjoebiden trump debatetonight presidentialdebate2020 kwelkernbc scarymommy,United States of America,Rhode Island,RI,Donald Trump,2,0\r\n1837,10/23/2020,spot on for trump to discuss the nursing home deaths in new york state. maga trump2020 presidentialdebate,United States of America,Florida,FL,Donald Trump,1,0.3\r\n1838,10/23/2020,starbucksgirl51 tylerpager andrewbatesnc speakerpelosi realdonaldtrump if you been looking at the rallies i'd freak out too. trump,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1839,10/23/2020,staying silent is just killing trump.,United States of America,Michigan,MI,Donald Trump,0,-0.2\r\n1840,10/23/2020,stclairashley biden incorrectly states trump is wrong that minimum wage at $15 would shut businesses down. trump didn\xe2\x80\x99t say that. he said people would lose their job. government mandating minimum wage gets people unemployed facts.,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1841,10/23/2020,stephengutowski i am shocked trump did not being up guns.,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1842,10/23/2020,stephenpeterze1 levinejonathan latina for trump,United States of America,Massachusetts,MA,Donald Trump,1,0.3\r\n1843,10/23/2020,still trying to figure out trump in the debate last night. first time watching waytooearly with kasie jane is up for breakfast,United States of America,Rhode Island,RI,Donald Trump,2,0\r\n1844,10/23/2020,stocks will go up under trump i guess i am voting for him maga,United States of America,Nevada,NV,Donald Trump,0,-0.5\r\n1845,10/23/2020,stop blaming the goldstarfamilies for your covid19 diagnosis. trump debatetonight,United States of America,California,CA,Donald Trump,0,-0.3\r\n1846,10/23/2020,stop giving trump the last word on everything. mutetrump debates2020,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1847,10/23/2020,streaming now on spotify  healthisland by dsouldavis kamalaharris donaldtrump justice supremecourt ruthbaderginsberg rbg georgefloyd aliciakeys johnlegend adele blacklivesmatter msnbc cnn foxnews media news breakingnews politics faith,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n1848,10/23/2020,stu the debate showed us the kind of society the two candidates have in mind. and there is a stark difference. 2020debates trump biden election2020 varneyco,United States of America,New York,NY,Donald Trump,2,0\r\n1849,10/23/2020,subaru gets stung by babylon bee new in car camera auto records drivers melting down about trump - autospies auto news  trump subaru babylonbee rage  meltdown woke,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1850,10/23/2020,sudan-israel relations agreed donald trump announces political trump politicalviews,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1851,10/23/2020,summer riots in minneapolis have resulted in a lot of silent trump support | zero hedge  trump election2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1852,10/23/2020,supporters get seated for president trump rally at thevillages  polo club. tiny dancer by elton john echoes through the area.,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1853,10/23/2020,suprgrl08347556 lolol.. it is trump captainbonespurs,United States of America,Kentucky,KY,Donald Trump,2,0\r\n1854,10/23/2020,susiemadrak gop maybe trump will be the \xe2\x80\x98permanent manned presence\xe2\x80\x99 on the moon. \xf0\x9f\xa4\xa8,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n1855,10/23/2020,take the survey and help us figure out how accurate the polls are trump trump2020 trump2020landslide republican republicancongress,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1856,10/23/2020,teamtrump realdonaldtrump you know what it is right trump  it's that payroll tax relief &amp; i use relief lightly that you've called yourself giving ppl. that money is what supports social security. that's why it will be broke by 2023 if u remain n office. do tell how u will financially support all seniors,United States of America,North Carolina,NC,Donald Trump,0,-0.2\r\n1857,10/23/2020,teamtrump trump didn\xe2\x80\x99t pay taxes in the us but thru international hotels management l.l.c. he paid $188561 in taxes to communist china while pursuing licensing deals there from 2013 to 2015. trumpchina trumptaxcheat,United States of America,California,CA,Donald Trump,2,0\r\n1858,10/23/2020,tell me guys. who won the presidentialdebate tonight who earned your vote voteearly vote2020 debatetonight trump biden,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1859,10/23/2020,thank you firestonewalker for helping me get through tonight\xe2\x80\x99s debate. might need more than one of these though. \xf0\x9f\x99\x84\xf0\x9f\x8d\xba debates2020 biden trump vote,United States of America,California,CA,Donald Trump,1,0.5\r\n1860,10/23/2020,thank you for being one of the few celebrities that support trump and actually speak out. we appreciate it \xe2\x9d\xa4\xef\xb8\x8f,United States of America,Pennsylvania,PA,Donald Trump,1,0.9\r\n1861,10/23/2020,thank you kwelkernbc for a commanding moderation of the presidential debate. you didn't need a mute button to make donaldtrump behave. its presence made him act like an adult. nice job,United States of America,Michigan,MI,Donald Trump,1,0.3\r\n1862,10/23/2020,that is an understatement debate2020 donaldtrump,United States of America,Ohio,OH,Donald Trump,1,0.2\r\n1863,10/23/2020,that wall st situation touched trump heart\xf0\x9f\x91\x80\xf0\x9f\xa4\xa3 presidentialdebate2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1864,10/23/2020,that was a great debate by far and away. i do not think anything will change from this debate but that was the best. mic muting should have been introduced a long long time ago. honestly great job by both trump and biden debates2020 debatetonight biden trump,United States of America,Georgia,GA,Donald Trump,1,0.2\r\n1865,10/23/2020,that was awkward. trump asked  netanyahu who was on speaker phone what he thinks about iran soon joining these normalization deals with israel bibi pivoted to how he is not opposed to any deal with iran just not the one obama made.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1866,10/23/2020,that\xe2\x80\x99s right. imagine that. trump the criminal pays less in income taxes than daca petitioners.,United States of America,California,CA,Donald Trump,0,-0.1\r\n1867,10/23/2020,the 45th president that's going to save america. trump trump2020 trump2020landslidevictory donaldtrump donaldtrump2020 maga maga2020 debates2020 realdonaldtrump whitehouse,United States of America,Florida,FL,Donald Trump,1,0.1\r\n1868,10/23/2020,the ableism is strong with this one...how trump exemplifies our ableistculture  via sciam,United States of America,District of Columbia,DC,Donald Trump,1,0.4\r\n1869,10/23/2020,the amount of \xe2\x80\x9cblue check\xe2\x80\x9d idiots is comical at this point... these people vote. \xf0\x9f\x98\xac no wonder they\xe2\x80\x99re democrats. debates coyotes twittdiots bidentownhall crookedjoebiden donaldtrump,United States of America,California,CA,Donald Trump,0,-0.3\r\n1870,10/23/2020,the biden campaign missed its opportunity to release flies in the debate hall last night. election vote 2020 biden trump debate finaldebate,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1871,10/23/2020,the challenge tonight is indeed for president trump. debates2020,United States of America,New York,NY,Donald Trump,2,0\r\n1872,10/23/2020,the country of europe debate2020 trump clown,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1873,10/23/2020,the cuban gay community supports the work and work of president trump cubanoscontrump trump2020 donaldtrump trumppride pride gayfortrump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\xaa\xf0\x9f\x8f\xbb\xf0\x9f\x8c\x88\xf0\x9f\x92\x93 makeamericagreatagain,United States of America,Florida,FL,Donald Trump,1,0.2\r\n1874,10/23/2020,the debate is on who do you think will win tonight's debate biden trump presidentialdebate,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1875,10/23/2020,the debate. the game. but instead i'll be at a toastmasters meeting. speakanyway nfl eagles giants trump bidenharris2020,United States of America,Colorado,CO,Donald Trump,2,0\r\n1876,10/23/2020,the fact of the matter is joe slapped obama tonight joe slapped oil/chemical workers tonight joe slapped his party tonight.  betcha all their heads are spinning.  good job sleepy joe \xf0\x9f\x98\xb4\xf0\x9f\x98\xb4 you woke up for 10 minutes. \xf0\x9f\x91\x8b\xf0\x9f\x91\x8b debatetonight biden trump oilandgas oil america,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1877,10/23/2020,the irs treated trump so unfairly can you imagine they wanted him to pay taxes,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1878,10/23/2020,the israeli aipac lobby - a danger to the world - trump biden gop dnc,United States of America,California,CA,Donald Trump,0,-0.7\r\n1879,10/23/2020,the last trump shit show of this failed campaign and soon you will be gone realdonaldtrump,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n1880,10/23/2020,the leatherberry family take a selfie at trump maga rally in pensacola \xe2\x81\xa6pnj\xe2\x81\xa9,United States of America,Florida,FL,Donald Trump,2,0\r\n1881,10/23/2020,the mad king who lost america. \xf0\x9f\xa4\x94\xf0\x9f\xa4\x94 hamilton kinggeorge trump debates2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1882,10/23/2020,the majority of college aged kids support trump because that's what the cool kids are doing trump biden election2020 cool popularity socialnorms trends college,United States of America,Pennsylvania,PA,Donald Trump,1,0.3\r\n1883,10/23/2020,the more i listen to this debate...bieden is my man trump has not explained any plan to anything. his main deal here  is to bust biden,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n1884,10/23/2020,the most unbelievable statement of the debate from trump debates debate2020 debatetonight biden bidenharristosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1885,10/23/2020,the next time the irs asks me for taxes i\xe2\x80\x99m going to tell them i prepaid just like trump. debates2020 bidenharris2020,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n1886,10/23/2020,the people retweeting my poll are interesting to say the least. no clue why it\xe2\x80\x99s strictly trump people retweeting the poll but whatever. debates2020 debates presidentialdebates2020 presidentialdebate trump biden,United States of America,Florida,FL,Donald Trump,2,0\r\n1887,10/23/2020,the president just belittled joebiden for wanting to discuss the concerns of american families. shameful joebiden cares about us and our families. trump does not. debate2020 truth teamjoe teamjoe,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1888,10/23/2020,the scottwalker &amp; trump dream of foxconn in wisconsin is dead ericboehm87 joins johnhowellwls to explain,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n1889,10/23/2020,the second presidential debate is much better than the first one between trump and biden. something i think everyone watching can agree on debates2020 trump biden election2020,United States of America,Missouri,MO,Donald Trump,1,0.5\r\n1890,10/23/2020,the situation in florida continues to deteriorate for democrats. dems combined lead in vbm and eipv is less than 390k. dems need about a 700k lead by election day to offset the trump ed voters.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1891,10/23/2020,the spike in covid cases in florida is gone since when we just reported our highest numbers for one day in months. trump is a liar presidentialdebate2020,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1892,10/23/2020,the stevens family of navarre take a selfie at trump maga rally in pensacola \xe2\x81\xa6pnj\xe2\x81\xa9,United States of America,Florida,FL,Donald Trump,2,0\r\n1893,10/23/2020,the stimulus package could still help the holiday season and the 1st quarter during the winter months stimulus stimuluspackage. late 4q and 1q2021 economic impact for stocks and wall street dow dow40k trump biden,United States of America,Pennsylvania,PA,Donald Trump,1,0.2\r\n1894,10/23/2020,the survival rate is a lot less then 99% dude. 1% out of 7000000+ is 7000. we have 220000 dead. do the math yourself. presidentialdebate2020 trump biden debates2020 debates,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1895,10/23/2020,the the cbs intro video and music for the presidential debate is reminiscent of a nfl game intro \xf0\x9f\x8f\x88 presidentialdebate2020 trump biden,United States of America,California,CA,Donald Trump,0,-0.1\r\n1896,10/23/2020,the thing is though even as sudan gets more democratic as it is scheduled to do there will be a lot of us and israel money pouring into a poor country contingent on this peace remaining. uae and bahrain peace were jokes. this is a real trump accomplishment. no denying it.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1897,10/23/2020,the thing that i realized after watching the presidential debate is that whether he wins or loses the election donald trump is light years ahead of joe biden and will continue to be whatever the election outcome.,United States of America,Oregon,OR,Donald Trump,1,0.1\r\n1898,10/23/2020,the trump admin signed an anti-abortion declaration with 32 member states in the unitednations on thurs many of which are authoritarian regimes or seen as flawed democracies a move which drastically reframes u.s. foreign policy ahead of the election.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1899,10/23/2020,the trump administration needs to be brought up on human rights violations such as unconscionable cruelty to children and this\xf0\x9f\x91\x87\xf0\x9f\x91\x87\xf0\x9f\x91\x87,United States of America,Michigan,MI,Donald Trump,0,-0.8\r\n1900,10/23/2020,the trump clan and their sycophants are soulless and corrupt. whitehouse gop traitorinchief grifterinchief vote bidenharris \xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote out the trump devastation maga2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n1901,10/23/2020,the trump clan and their sycophants are soulless and corrupt. whitehouse gop traitorinchief grifterinchief vote bidenharris \xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote out the trump devastation maga2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n1902,10/23/2020,the trump complete sentence counter just reached 10,United States of America,Tennessee,TN,Donald Trump,1,0.2\r\n1903,10/23/2020,the truth always come out it wasn\xe2\x80\x99t antiifa or blacklivesmatter   it was the maga republican boogaloobois proudboys for racistinchief trump that fired on minneapolis police precinct shouted 'justiceforfloyd' trumpincitesriots  trumpmeltdown,United States of America,California,CA,Donald Trump,0,-0.4\r\n1904,10/23/2020,the united states orphaned over 500 children who were brought here by their parents. and trump's government lost the kids after utilizing a racist policy to scare immigrants in this country. debates2020,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n1905,10/23/2020,the \xe2\x80\x9cbig man\xe2\x80\x9d exchange is everything we wanted out of tonight. all of it. presidentialdebate2020 debate2020 trump maga,United States of America,South Carolina,SC,Donald Trump,1,0.1\r\n1906,10/23/2020,thedemcoalition joebiden behold... realdonaldtrump the president of the \xe2\x80\x9cdivided states of america\xe2\x80\x9d where \xe2\x80\x9cdivided we stand together we fall\xe2\x80\x9d rules us all. dividedstatesofamerica trump votehimout,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n1907,10/23/2020,their only tactic is to just make shit up. \xe2\x80\x9cdoctor in trump 2020 ad is actually a russian actress cnbc\xe2\x80\x9d,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1908,10/23/2020,thejtlewis trump will die in prison. trumpcrimefamily,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n1909,10/23/2020,there he goes lol he's upset now. hes coming apart from the coaching  trump debates2020,United States of America,Puerto Rico,PR,Donald Trump,0,-0.6\r\n1910,10/23/2020,there's was only one line that trump kinda of flopped but the rest of the debate he has been on his a game finally  cool calm and collected and dropped major megaton bombs on sleepyjoe debates2020 presidentialdebate2020,United States of America,Florida,FL,Donald Trump,1,0.1\r\n1911,10/23/2020,therightmelissa realdonaldtrump trump\xe2\x80\x99s policy of separating the parents from their children was so widely rejected by both political parties that even melania took the unusual step of repudiating it. in response to the backlash trump falsely pinned the blame for the child-separation policy on obama.trump,United States of America,California,CA,Donald Trump,0,-0.7\r\n1912,10/23/2020,these candidates both suck. they are both awful. neither of them deserves to be president. presidentialdebate2020 trump biden,United States of America,Nevada,NV,Donald Trump,0,-0.6\r\n1913,10/23/2020,these people are dangerous ignorant and risking lives. all of them in trump's administration need to go. votebluetosaveamerica,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n1914,10/23/2020,these people literally have no idea what they\xe2\x80\x99re talking about coyote trump crookedjoebiden,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1915,10/23/2020,they letting trump do whatever presidentialdebate2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n1916,10/23/2020,third presidential debate   election2020 biden trump,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n1917,10/23/2020,this alone shows what a lowlife scumbag trump is. the president calling an american citizen names any american citizen let alone a public servant and former vice president in front of a foreign leader.,United States of America,California,CA,Donald Trump,0,-0.3\r\n1918,10/23/2020,this country is gonna gain so much money when trump is ousted by a joebiden landslide vote. the spending is ridiculous trumpisadisgrace,United States of America,Washington,WA,Donald Trump,0,-0.6\r\n1919,10/23/2020,this debate is adding to my bad day no wonder i never watched this bs to begin with \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd fuckin sad \xf0\x9f\x98\x94 even if biden make sense trump throw shots anyway he can to make the man look like shit,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n1920,10/23/2020,this debate shows it and tells it like it is  trump continues to lie through his teeth debate2020,United States of America,California,CA,Donald Trump,0,-0.8\r\n1921,10/23/2020,this is biden and democats america wakeupamerica wakeup and vote  democratsaredestroyingamerica voteredtosaveamerica2020 voteredtosaveamerica fridaythoughts maga2020 kag america trump coronavirus fakenews blacklivesmatter breastcancerawarenessmonth twitter,United States of America,California,CA,Donald Trump,1,0.1\r\n1922,10/23/2020,this is great welcome grasshopper trump trumptrain2020 magaa2020,United States of America,Alaska,AK,Donald Trump,1,0.9\r\n1923,10/23/2020,this is just beautiful i can answer that question better than lesley \xe2\x80\x9cmr. president you got here because the people of this country have chosen you to lead them and will do it again for the next 4 years realdonaldtrump is my president maga trump2020 kag usa trump won,United States of America,Alabama,AL,Donald Trump,1,0.7\r\n1924,10/23/2020,this is so sad. pray for the farmers in south africa. they need our help urgently. terrorism farmmurders southafrica donaldtrump mikepompeo tuckercarlson,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1925,10/23/2020,this is so true trump speaks in code. always has. trumplied220kdied trumpiscompromised comeonman,United States of America,Nevada,NV,Donald Trump,1,0.4\r\n1926,10/23/2020,this is the best book on the racism of abraham lincoln  trump biden debatetonight,United States of America,North Carolina,NC,Donald Trump,1,0.7\r\n1927,10/23/2020,this is the moment in the debate where donaldtrump goes off the rails the possible exception of abrahamlincoln. debates2020 debate2020 debatetonight,United States of America,New York,NY,Donald Trump,2,0\r\n1928,10/23/2020,this is the starbucks in alamo california  a very conservative trump town...starbucks doesn\xe2\x80\x99t care about cdcgov guidelines or covid19,United States of America,California,CA,Donald Trump,0,-0.7\r\n1929,10/23/2020,this is what realdonaldtrump has wrought. expect worse to come when trump loses. trumpisanationaldisgrace trumpterrorism,United States of America,Virginia,VA,Donald Trump,0,-0.1\r\n1930,10/23/2020,this is what the trumpadministration did heartless and cruel trump doesn\xe2\x80\x99t deserve to be re-elected bring america back  honesty integrity the americanway,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1931,10/23/2020,this is what you call a burn obama trump   via huffpostpol,United States of America,California,CA,Donald Trump,0,-0.6\r\n1932,10/23/2020,this just got juicy. really juicy. of course trump's claims can be fact checked but the obamabiden &amp; hillaryclinton ties to russia remains a question mark in my head as a voter. they have been since 2016 &amp; biden just saying nope is not a good enough answer. debates,United States of America,California,CA,Donald Trump,0,-0.1\r\n1933,10/23/2020,this moderator needs to stop allowing trump to bully her and control the debate stop fucking letting him interrupt. presidentialdebate2020 debates2020,United States of America,California,CA,Donald Trump,0,-0.2\r\n1934,10/23/2020,this natural gas blue collar family from pittsburgh supports trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8.  maga2020,United States of America,Pennsylvania,PA,Donald Trump,1,0.2\r\n1935,10/23/2020,this presidentialdebate2020 moderator is just getting manhandled by trump this is horrible nbc,United States of America,California,CA,Donald Trump,0,-0.8\r\n1936,10/23/2020,this thread immigration trump bidenharris2020,United States of America,California,CA,Donald Trump,0,-0.1\r\n1937,10/23/2020,tnf trump 24 - biden 10 at halftime presidentialdebate2020,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n1938,10/23/2020,to be quite honest the first debate was better... lol debate presidentialdebate moderator election2020 election biden bidenharris biden2020 trump trumppence trump2020 trending love presidentialelection presidenttrump presidentbiden presidential president,United States of America,California,CA,Donald Trump,0,-0.3\r\n1939,10/23/2020,to disrupt election2020 &amp; damage trump\xe2\x80\x94iran's islamicrepublic sent threatening emails to americans made to look as through they were sent by the conservative proud boys group. supreme leader ayatollahkhamenei might be laughing\xe2\x80\x94but this aint funny.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1940,10/23/2020,to some people putting an album out during the election is crazy but at this point i feel like the world gone some good music with all this political bs going on \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f trump bidenharris2020 pandemic longwayfromhomeoctober30,United States of America,Missouri,MO,Donald Trump,0,-0.7\r\n1941,10/23/2020,tojo13 medicvet68 moretruth blue bluewave byedon gop donaldtrump realdonaldtrump donaldjtrumpjr,United States of America,Pennsylvania,PA,Donald Trump,1,0.2\r\n1942,10/23/2020,tomlars81416175 danrather not if by vote or by gaming the legal system trump remains in the white house.,United States of America,California,CA,Donald Trump,0,-0.6\r\n1943,10/23/2020,tonight we learn why trump had to rape so many young women. he is not a masterdebator trumpmeltdown presidentialdebate2020 debate2020 debatetonight debate debates,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1944,10/23/2020,too bad the ability to cut off mics doesn't prevent trump from interrupting the moderator. but then again she's a woman so he does what he wants. you can do that when you're famous. fucktrump presidentialdebate biden2020tosaveamerica,United States of America,California,CA,Donald Trump,2,0\r\n1945,10/23/2020,tpes morningpoliticalthought immigration fracking energy thailand twitter facebook subpoena scotus acb russia usa nucleardeal asia china nyc seattle portland doj lawsuit trump debate2020 maga2020 trump2020 vote2020 parler,United States of America,California,CA,Donald Trump,0,-0.1\r\n1946,10/23/2020,translation only those with the lowest iq obey the law. this is trump's moral code. votehimout2020 votebidenharris2020 \xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Donald Trump,0,-0.1\r\n1947,10/23/2020,travon dummy.  it's not who built them.  it's what you do with them.  trump turned it into a concentration camp.,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1948,10/23/2020,truly curious... what specific action items do people think trump should have taken and when to avoid the current covid19 situation in the us debates2020,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1949,10/23/2020,trump,United States of America,Arkansas,AR,Donald Trump,2,0\r\n1950,10/23/2020,trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1951,10/23/2020,trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1952,10/23/2020,trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1953,10/23/2020,trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1954,10/23/2020,trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1955,10/23/2020,trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1956,10/23/2020,trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1957,10/23/2020,trump,United States of America,Nevada,NV,Donald Trump,2,0\r\n1958,10/23/2020,trump,United States of America,New York,NY,Donald Trump,2,0\r\n1959,10/23/2020,trump,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1960,10/23/2020,trump  the mortality rate is down for covid19 debates2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1961,10/23/2020,trump  we created 1000s of orphans by getting rid of their parents...but we have great orphanages for them debatetonight,United States of America,Wisconsin,WI,Donald Trump,1,0.2\r\n1962,10/23/2020,trump &amp; biden final debates2020 debate the craziest moments &amp; reaction | direct mes...  via youtube,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1963,10/23/2020,trump &amp; gop vow to downsize\xe2\x84\xa2\xef\xb8\x8f citizens via the tech used in the film downsizing  haven\xe2\x80\x99t seen it but look forward to being small. they say coronavirus cannot get inside the tiny body can\xe2\x80\x99t wait to be my true self thank you gop senategop for these advances in science,United States of America,Florida,FL,Donald Trump,1,0.5\r\n1964,10/23/2020,trump 's attempts to redirect the countless examples of tax fraud and financial corruption toward the fake ukrainian biden claim are falling flat. this is bad bad bad for trump.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1965,10/23/2020,trump 60minutesinterview,United States of America,Nevada,NV,Donald Trump,2,0\r\n1966,10/23/2020,trump = hoax,United States of America,California,CA,Donald Trump,0,-0.7\r\n1967,10/23/2020,trump accused biden \xe2\x80\x9c... he is a corrupt politician... \xe2\x80\x9c,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1968,10/23/2020,trump actually said this in a publicly aired discussion with the leader of a foreign nation. he called the democratic candidate for president of our country the disparaging nickname he touts at his rallies. this is a disgrace and we wonder what he says in private calls.,United States of America,Hawaii,HI,Donald Trump,0,-0.8\r\n1969,10/23/2020,trump admits he is a racist.  i'm the least racist person in the room,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1970,10/23/2020,trump airlines has just gone out of business...and...we are all out of coffee,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1971,10/23/2020,trump and biden are the giants and eagles. difficult to watch. hard to believe either will win. will just be glad when it\xe2\x80\x99s over. nfl presidentialdebate2020,United States of America,Kentucky,KY,Donald Trump,0,-0.1\r\n1972,10/23/2020,trump and biden argue over vaccines; trump says several vaccines are on the near horizon while biden says we are in for a dark winter. debatetonight,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1973,10/23/2020,trump and biden spar over healthcare and socialsecurity; biden makes clear he is not a socialist or his previous democratic competitors. debate2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1974,10/23/2020,trump and his sycophants are soul-murderers and they make every corrupt gop politician and political appointee look like amateurs. traitorinchief grifterinchief vote bidenharris \xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote out the trump devastation maga2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n1975,10/23/2020,trump and the republicans have never had a health care plan they will never have a plan. this is because frankly they don't care if people have healthcare or not. vote votethemallout votebluetosaveamerica,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1976,10/23/2020,trump answer is umm less so. debates2020,United States of America,New York,NY,Donald Trump,2,0\r\n1977,10/23/2020,trump arguing that joebiden doesn\xe2\x80\x99t know the law is comical.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1978,10/23/2020,trump as a math teacher 1 + 1 = it\xe2\x80\x99s still 1 the best number ever forget about the other one it came from china debates2020,United States of America,District of Columbia,DC,Donald Trump,1,0.9\r\n1979,10/23/2020,trump associating blm with \xe2\x80\x9cpigs in a blanket\xe2\x80\x9d truly is all he knows about the the movement. it\xe2\x80\x99s all he wants to know because he hates people who\xe2\x80\x99s skin color is darker than his own. debates2020 debatetonight presidentialdebate2020,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n1980,10/23/2020,trump awful answer on northkorea. moral relativism on genocidal regime. and nothing abt how trump admin\xe2\x80\x99s own maximum pressure campaign &amp; increased deterrence helped address the *exponentially expanding* nuke &amp; missile program trump admin inherited from obama admin appeasement.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1981,10/23/2020,trump behaving like a decent educated leader is so unusual that republicans gop find he won because \xe2\x80\x9che behaved\xe2\x80\x9d \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1982,10/23/2020,trump being tough on china is having a. secret bank account paying $100000s in taxes and his family gaining 53 patents and a couple $100m,United States of America,Hawaii,HI,Donald Trump,0,-0.1\r\n1983,10/23/2020,trump biden,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1984,10/23/2020,trump biden clash over coronavirus response mounting death toll thehill,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1985,10/23/2020,trump biden trump2020landslide fridaymotivation fridaymorning covid19 coronavirus antifaterrorists blm blmterroristthugs,United States of America,Georgia,GA,Donald Trump,2,0\r\n1986,10/23/2020,trump bidenharris2020,United States of America,Florida,FL,Donald Trump,2,0\r\n1987,10/23/2020,trump claims biden is talking about destroying medicare and social security when its really the other way around somebody fact check trump factcheck factchecktrump  debates2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1988,10/23/2020,trump claims he is immune now to the coronavirus at the presidentialdebates2020. researchers in hong kong have confirmed that a person can be infected twice. many health experts claim we don't understand the virus enough to conclude either way.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1989,10/23/2020,trump claims he is the least racist person in the room. i literally lol. the man is a white supremacist.,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1990,10/23/2020,trump claims \xe2\x80\x9cnobody\xe2\x80\x99s been tougher on russia\xe2\x80\x9d than he has been. i am between laughing out loud and puking at the claim. trumpchinabankaccount trumpisaloser trumpisaliar votebidenharris trumptaxreturns,United States of America,California,CA,Donald Trump,2,0\r\n1991,10/23/2020,trump closed bank account in china before he was elected  debates2020 debates debatetonight trump biden election2020 elections2020,United States of America,California,CA,Donald Trump,0,-0.5\r\n1992,10/23/2020,trump completely loses in any debate about socialsecurity and medicare. he doesn't understand the progams..he doesn't care about them either - or seniors.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1993,10/23/2020,trump continues to not know the law. the actions of his illegitimate as per the courts dhs secretary targeting immigrants should be voided debates2020 debate2020,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1994,10/23/2020,trump countryoverparty america or trump,United States of America,California,CA,Donald Trump,0,-0.1\r\n1995,10/23/2020,trump debates2020,United States of America,Texas,TX,Donald Trump,2,0\r\n1996,10/23/2020,trump did the same thing he always does. he accuses distracts and is unable to answer questions about government policy. trumpmeltdown debatetonight debate2020,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n1997,10/23/2020,trump didn\xe2\x80\x99t go to the \xe2\x80\x9clegislature \xe2\x80\x9c to \xe2\x80\x9cterminate \xe2\x80\x9c anything. that\xe2\x80\x99s why he is in court trying to undo the aca . presidentialdebate2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n1998,10/23/2020,trump do indeed know about that wind. debates2020,United States of America,Tennessee,TN,Donald Trump,1,0.1\r\n1999,10/23/2020,trump dodging every question...,United States of America,California,CA,Donald Trump,0,-0.3\r\n0,10/25/2020,outside the trump event here at mht there were some activists on behalf of the republic of artsakh a disputed region between armenia and azerbaijan,United States of America,New Hampshire,NH,Donald Trump,0,-0.4\r\n1,10/25/2020,patcohennyt alam_chaudry realdonaldtrump jkylebass \xe2\x80\x94worth the read\xe2\x80\x94in the interest of us national securityplease take the time 2 review this detailed report on biden\xe2\x80\x99s business with china.the author is a friend of mine &amp; is a reputable china expert &amp; professor. biden trump nationalsecurity,United States of America,North Carolina,NC,Donald Trump,1,0.3\r\n2,10/25/2020,pelosi trump trade blame on covid19 stimulus talks,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n3,10/25/2020,pence\xe2\x80\x99s chief of staff marc short tests positive for the coronavirus ... as did \xe2\x80\x9cmarty obst a top outside political adviser to pence.\xe2\x80\x9d the white house is a virus hotspot and the trump rallies are superspreader events no masks or social distancing.,United States of America,Maryland,MD,Donald Trump,0,-0.5\r\n4,10/25/2020,petebuttigieg why isn't this documentary trending more needs to be seen asap by everyone totallyundercontrol failure trump administration breaking,United States of America,New York,NY,Donald Trump,0,-0.7\r\n5,10/25/2020,please make it stop. trump,United States of America,Indiana,IN,Donald Trump,0,-0.4\r\n6,10/25/2020,prayed so hard at mass that whether you vote for trump or biden on electionday you stop acting like it was a good christian choice,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n7,10/25/2020,pressplay  update  following his recent arrest earlier by beverly hills police outside of a trump rally offset was immediately released. police had allegedly stopped him upon claims that he was waving a gun. however no gun was seen in the video,United States of America,New York,NY,Donald Trump,0,-0.5\r\n8,10/25/2020,putin jettisoned the loser quickly  haha trump,United States of America,New York,NY,Donald Trump,2,0\r\n9,10/25/2020,quinnleone4 i think tom friedman may have a job with biden\xe2\x80\x99s administration i now know a lot more about what we\xe2\x80\x99re doing with clean energy than before. it\xe2\x80\x99s funny how the red states are the ones that are in transition to renewables take that trump,United States of America,Michigan,MI,Donald Trump,2,0\r\n10,10/25/2020,r0zzyb0wden icecube your not that bright trump 2020,United States of America,California,CA,Donald Trump,0,-0.5\r\n11,10/25/2020,racist shameless magat trump coronavirus covid\xe3\x83\xbc19 acb,United States of America,Kentucky,KY,Donald Trump,0,-0.6\r\n12,10/25/2020,racist trump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,2,0\r\n13,10/25/2020,radiofreetom timodc i am truly waiting tonsee how quickly after the election results come out to see how many jump ship &amp; start saying how much they despise him etc.  since their heads explode when you ask them if president whoever else did what trump has done &amp; they can't justify their hypocrisy,United States of America,Massachusetts,MA,Donald Trump,0,-0.8\r\n14,10/25/2020,rats  projectlincoln loudobbs foxnews trump trumpispathetic trumpvirus trumpisanationaldisgrace,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n15,10/25/2020,realcandaceo calls out woke backlash over 50 cent's support for trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n16,10/25/2020,realdonaldtrump and at the latest debate trump said \xe2\x80\x9ci want to terminate obamacare and come up with a new healthcare plan.\xe2\x80\x9d he has no plans for helping the country  anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump,United States of America,California,CA,Donald Trump,0,-0.8\r\n17,10/25/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n18,10/25/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n19,10/25/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n20,10/25/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n21,10/25/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n22,10/25/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n23,10/25/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n24,10/25/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n25,10/25/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n26,10/25/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n27,10/25/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n28,10/25/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n29,10/25/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n30,10/25/2020,realdonaldtrump gop magas if trump cared he wouldn\xe2\x80\x99t risk your lives at rallies. think about it.  he wants your votes. he couldn\xe2\x80\x99t care less about you. stay safe; stay homevotehimout2020,United States of America,North Carolina,NC,Donald Trump,0,-0.3\r\n31,10/25/2020,realdonaldtrump how is our country in such a mess with leadership like trump for the last four years shouldn't we be great already,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n32,10/25/2020,realdonaldtrump ivankatrump jaredkushner erictrump arrestkillerofficers biden2020 donaldtrump gop joebiden jaredkushner maga maga2020landslidevictory foxnews trump ivankatrump votebluedownballot hannity,United States of America,Oregon,OR,Donald Trump,2,0\r\n33,10/25/2020,realdonaldtrump listen it\xe2\x80\x99s my birthday and nothing would make it better than a like or something back from the president of the united states what do you say mr. president make my year a little better \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trump trump2020landslide potus,United States of America,Oklahoma,OK,Donald Trump,1,0.1\r\n34,10/25/2020,realdonaldtrump more than 80000 new cases per day now  anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,2,0\r\n35,10/25/2020,realdonaldtrump oh we\xe2\x80\x99ve heard him say over and over he would end fracking.  if only our media reported facts this country would not be in disarray. your the best donaldtrump,United States of America,Wisconsin,WI,Donald Trump,0,-0.1\r\n36,10/25/2020,realdonaldtrump senronjohnson realdonaldtrump in nh . no socialdistancing. people packed in directly behind trump that are given propaganda signs to wave. there is clear proof of nomasks. imagine what the rest of the rally is like. superspreader,United States of America,Florida,FL,Donald Trump,2,0\r\n37,10/25/2020,realdonaldtrump senronjohnson the spreading of covid continues in the heartland &amp; in the highest echelons of government. mikepence\xe2\x80\x99s chief-of-staff has tested positive. enough of trump\xe2\x80\x99s indifferent mismanagement. herd immunity is callous toward our seniorcitizens. trump is indifferent to the elderly,United States of America,California,CA,Donald Trump,0,-0.2\r\n38,10/25/2020,realdonaldtrump the economy is a bleeding wreckage. the health of the country is abysmal. we are as divided as we were in the 60\xe2\x80\x99s. hate crimes are on the rise. the deficit is through the roof. ...and trump expects to be rehired,United States of America,California,CA,Donald Trump,0,-0.6\r\n39,10/25/2020,realdonaldtrump trump sings like shit  anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,0,-0.7\r\n40,10/25/2020,realdonaldtrump trumpers wanted trump as president and now we are living an episode of survivorcbs because of covid19,United States of America,New York,NY,Donald Trump,0,-0.2\r\n41,10/25/2020,realdonaldtrump whitehouse trump trumpisnotamerica,United States of America,Texas,TX,Donald Trump,2,0\r\n42,10/25/2020,realjameswoods can\xe2\x80\x99t wait to see trump defeated realjameswoods junkyardjared,United States of America,California,CA,Donald Trump,1,0.9\r\n43,10/25/2020,repmattgaetz realdonaldtrump trump trumpnotfitforoffice resist biden2020 bidenharris bidenharris2020tosaveamerica,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n44,10/25/2020,reuters i guess you failed to mention the event had more trump supporters than biden\xe2\x80\x99s. one of them carried two signs insulting trump and cubans only in miami,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n45,10/25/2020,rocksnosalt palmerreport she always screws us over. she is like sensusancollins they act thoughtful and disgusted by trump and then they stand with him,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n46,10/25/2020,rogerra09451447 msnbc hey roger we are discussing separating young children from their parents. a trump immigration strategy. disgusting,United States of America,New York,NY,Donald Trump,0,-0.4\r\n47,10/25/2020,saturdaythoughts trump bidenharris2020 racisttrump covid19 racism justice4vera 4 eliotspitzer blacklivesmatter blackvotersmatter biden2020 icecube joebiden c help poc b4 11/3/ w tv  pledge 2 amend civrightsact64 title vii like barackobama on 1/29/09 lillyledbetter,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n48,10/25/2020,seanpenn pattyarquette but you are the only person in the world who could locate trump's healthcare plan...,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n49,10/25/2020,senatemajldr is a man that forgets who brought him to this office... thedemocrats senatedems dnc dncwarroom housedemocrats senatejudiciary realdonaldtrump ivankatrump donaldjtrumpjr erictrump trump trumpcrimefamily,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n50,10/25/2020,senatemajldr markmeadows realdonaldtrump  covidiots covid__19 caresact stimulus stimuluspackage stimulusnow stimuluschecks trump crushthevirus,United States of America,Rhode Island,RI,Donald Trump,1,0.2\r\n51,10/25/2020,sensanders - trump says we test too much fact is if we don\xe2\x80\x99t we won\xe2\x80\x99t know who\xe2\x80\x99s sick,United States of America,New York,NY,Donald Trump,0,-0.5\r\n52,10/25/2020,singing national anthem at realdonaldtrump rally in londonderry nh. most here not wearing masks but more than i expected are. speaker now is thanking trump for nominating amy coney barrett to scotus. crowd booing senatorshaheen for opposing barrett. wbznewsradio,United States of America,Massachusetts,MA,Donald Trump,1,0.2\r\n53,10/25/2020,slow learning curve in the trump white house. wearamask,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n54,10/25/2020,so so true and it\xe2\x80\x99s because the press continues to cover up for bidencrimefamiily that we must vote2020 for trump since he\xe2\x80\x99s the only candidate that answers questions from the media,United States of America,Ohio,OH,Donald Trump,2,0\r\n55,10/25/2020,someone get this man a record deal trump2020 maga trump,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n56,10/25/2020,something to think about ..... saturdaynightlive skit about what is every one going to talk about &amp; tweet about if trump isn't the president vote,United States of America,California,CA,Donald Trump,0,-0.6\r\n57,10/25/2020,sort6184 palmerreport realdonaldtrump the numbersneverlie because special prosecutor robertmueller did all of his homework \xf0\x9f\x93\x9a to bring down realdonaldtrump and all that is about to change once mueller files felony criminal charges against trumpthetraitor after electionnight and trump must stand trial.,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n58,10/25/2020,sosofiefatale very sad to see the state we are in .  i find myself doing the same thing.  i make a mental note of every trump supporter in my neighborhood,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n59,10/25/2020,sounds like the mantra of trump supporters.,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n60,10/25/2020,sundaymorning feel good story abt korean american preserving cucumbers for kimchi. by voting for biden she also preserves democracy \xf0\x9f\xa5\x92 vote votebluetosaveamerica maga trump seniorsagainsttrump seniors sundaymotivation joebiden aoc michelleobama marwilliamson,United States of America,District of Columbia,DC,Donald Trump,1,0.5\r\n61,10/25/2020,sundaythoughts sundaymorning sundaywisdom sundaymood sundaymood sundayvibes glad to say a productive night where i wrote the first 2 chapters of my donaldtrump  zombie apocalypse novella an additional crazy trump story and new story material so a successful night.,United States of America,New York,NY,Donald Trump,1,0.9\r\n62,10/25/2020,sundaythoughts sundaymorning sundaywisdom sundaymood sundaymood sundayvibes well i finished 2 chapters of new trump zombie apocalypse novella keep calm and ignore the zombies maybe i still have time for one quick short story too.,United States of America,New York,NY,Donald Trump,1,0.5\r\n63,10/25/2020,sunken boats for trump,United States of America,Colorado,CO,Donald Trump,2,0\r\n64,10/25/2020,superspreader because pence trump don't care about anyone\xe2\x80\x99s life.,United States of America,New York,NY,Donald Trump,0,-0.9\r\n65,10/25/2020,teampelosi evil pelosi talkin about how she's going to crush the virus you can crush this virus it's uncontrollable if you and the radical left and your thugs that brought chinese spies into this country that brought this virus six months before the election all talk no action trump 20/20,United States of America,New York,NY,Donald Trump,0,-0.8\r\n66,10/25/2020,thank you herschelwalker 50cent kanyewest 50cent trump2020landslide trump,United States of America,Texas,TX,Donald Trump,1,0.7\r\n67,10/25/2020,that's actually the policy trump and his acquaintances implemented from the beginning even when they wanted to get fauci 's auspices or when he gave the impression 2 care asking his son-in-law kushner  to procure ppes and make his cronies richer  votebidenharris,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n68,10/25/2020,that\xe2\x80\x99s okay joebiden the \xe2\x80\x9csmart guys\xe2\x80\x9d can just vote trump if you\xe2\x80\x99re so sick of them.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n69,10/25/2020,the agony of daily life among the palestinians living under israeli occupation. whether trump or biden is elected in 9 days this agony must come to an end.,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n70,10/25/2020,the best argument for voting for donald trump in 2020  trump maga2020,United States of America,New York,NY,Donald Trump,1,0.5\r\n71,10/25/2020,the crude reality someone like trump and the entitled brats will never understand,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n72,10/25/2020,the lying is the strategy. trump,United States of America,Indiana,IN,Donald Trump,0,-0.3\r\n73,10/25/2020,the money big tech puts into biden is like water on pavement; it\xe2\x80\x99ll find the cracks. trumplandslide2020 trump trump2020 bidenfamilycorruption bidenfamilyracket hunterbiden,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n74,10/25/2020,the nypd's 2 biggest unions endorse trump.  these are the people we're counting on to deal with the inevitable civil unrest that'll happen if trump makes good his threat to refuse acceptance of vote2020 .  reformpolice divestcopunions,United States of America,New York,NY,Donald Trump,0,-0.1\r\n75,10/25/2020,the policies in biden\xe2\x80\x99s  plan for black america are not black specific enough for me...it is also not lost on me that there have been 3 debates and trump hasn\xe2\x80\x99t mentioned his platinum plan for black america once trump biden,United States of America,California,CA,Donald Trump,0,-0.5\r\n76,10/25/2020,the president of the united states donaldtrump murdered david nagy. he encouraged his base to disregard the importance of wearing masks and to take this virus seriously. donald trumps insistence on his ego stroking bullshit rallies has resulted in far too many unnecessary deaths,United States of America,California,CA,Donald Trump,0,-0.8\r\n77,10/25/2020,the whitehouse said they're not even going to try to limit the spread of covid19. it's infuriating but really no one should be surprised by this. it's just another way of saying they want to do herdimmunity which itself was just another way of trump saying he wanted the...,United States of America,Virginia,VA,Donald Trump,0,-0.7\r\n78,10/25/2020,thehill anyone else would have been arrested and fined for endangering health taxing city health system. those in charge of rallies &amp; chair of trump campaign &amp; gop should be prosecuted gopsuperspreaders votebidenharristosaveamerica votebluetoendthisnightmare,United States of America,New York,NY,Donald Trump,0,-0.5\r\n79,10/25/2020,thehill projection. every time trump accuses someone of something it is the crime he has committed. trumpcrimesyndicate trumpunfit4potus votebidenharristosaveamerica votebluetoendthisnightmare,United States of America,New York,NY,Donald Trump,0,-0.1\r\n80,10/25/2020,thejimjams more realdonaldtrump supporters showed up to protest one of the few biden followers carried two signs insulting trump and cubans only in miami,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n81,10/25/2020,there is a trump car rally currently driving through ues/midtown. i ignored them so a man screamed at me to get raped. i started screaming at them with my middle finger up when i saw them filming me. they are provoking people so they can look like the hate is directed at them.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n82,10/25/2020,there's always two sides to trump. the story he tells to donors to con them out of their money. and the lies he tells to the public to keep them in the cult.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n83,10/25/2020,therickwilson i would hate to see another pandemic or another crisis in america with donaldtrump in office we would be fucked vote trumpout americaortrump countryoverparty republicansforbiden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Donald Trump,0,-0.7\r\n84,10/25/2020,therickwilson trump is a madman.  one wonders if his bout with covid affected his thought processes.,United States of America,California,CA,Donald Trump,0,-0.1\r\n85,10/25/2020,this is exactly right. trump reviews very bad,United States of America,Florida,FL,Donald Trump,2,0\r\n86,10/25/2020,this is freaking brilliant. i meant to do something like this before election2020 to count down all the reasons i\xe2\x80\x99m not voting for trump. thedailyshow did all the hard work for me i approve this message,United States of America,New York,NY,Donald Trump,1,0.3\r\n87,10/25/2020,this is the kind of stuff that scares the hell out of most moderate voters and people in pa and tx. vote election2020 biden trump,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n88,10/25/2020,this is who you want running the country in the face of a plague my fellow americans \xe2\x80\x98we\xe2\x80\x99re not going to control the pandemic\xe2\x80\x99 white house chief\xe2\x80\x99s coronavirus comments undermine trump\xe2\x80\x99s message,United States of America,Puerto Rico,PR,Donald Trump,0,-0.9\r\n89,10/25/2020,this might be true but before we can reach out to help other countries we have to save our own. trump is a fascist in every definition of the word. don\xe2\x80\x99t lessen his horror by pointing to others,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n90,10/25/2020,thomaskaplan katieglueck maybe the media should be on the trump campaign deathwatch watching the narcissist implode.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n91,10/25/2020,tight races in some key states here - positive news for trump campaign... election2020,United States of America,District of Columbia,DC,Donald Trump,1,0.2\r\n92,10/25/2020,tmz another white gal telling others what to do with black people. nice. kanyewest jenniferaniston | trump,United States of America,Texas,TX,Donald Trump,1,0.1\r\n93,10/25/2020,to work in the trump whitehouse their staff signed on to be something akin to kamikaze pilots in wwii.  how unfortunate for their families as well gop ncgop ncga ncpol senthomtillis ltgovdanforest danforestnc reptedbudd virginiafoxx,United States of America,North Carolina,NC,Donald Trump,0,-0.7\r\n94,10/25/2020,toddstarnes realdonaldtrump to a handful of followers in the previous stop there were more realdonaldtrump supporters than biden\xe2\x80\x99s and one of the few had two signs insulting trump and cubans in miami,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n95,10/25/2020,toluseo it\xe2\x80\x99s unbelievable people are still voting for donaldtrump hearing that they won\xe2\x80\x99t control the pandemic. look at taiwan - 547 cases since day one with a population of 24 million only 7 people died and the first covid19 case was also early january.,United States of America,California,CA,Donald Trump,0,-0.6\r\n96,10/25/2020,tomorrow will be a historic day with the senate vote to confirm amy coney barrett. join us on kslnewsradio for complete coverage. text the word \xe2\x80\x9cnews\xe2\x80\x9d to 57500 to receive breaking news updates straight to your phone.  utpol amyconeybarrett amybarrett trump scotus,United States of America,Utah,UT,Donald Trump,0,-0.1\r\n97,10/25/2020,tribelaw is he a split personality trump has been the president for the past 4 years youcantmakethisstuffup,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n98,10/25/2020,trump,United States of America,Arizona,AZ,Donald Trump,2,0\r\n99,10/25/2020,trump,United States of America,Illinois,IL,Donald Trump,2,0\r\n100,10/25/2020,trump,United States of America,Michigan,MI,Donald Trump,2,0\r\n101,10/25/2020,trump 2020 video shows police endorsing trump over nypd loudspeaker on first day of early voting in nyc..trump..gop..nypd..nyc,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n102,10/25/2020,trump and his sycophants are soulless and dangerous to americans  vote. him. out.  traitorinchief grifterinchief vote bidenharris \xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote out the trump devastation maga2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n103,10/25/2020,trump and the gop know that they can\xe2\x80\x99t win without cheating,United States of America,New York,NY,Donald Trump,0,-0.8\r\n104,10/25/2020,trump and the whitehouse are pouring out the tweets about how they are pandemicing for the people while telling us they have no plans to control the pandemic.,United States of America,Idaho,ID,Donald Trump,0,-0.8\r\n105,10/25/2020,trump apunta a la pol\xc3\xadtica energ\xc3\xa9tica de biden biden trump,United States of America,Florida,FL,Donald Trump,2,0\r\n106,10/25/2020,trump campaign has a poster child. votehimout2020,United States of America,California,CA,Donald Trump,1,0.1\r\n107,10/25/2020,trump claims that teachers have minimal risk going back to school anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue,United States of America,California,CA,Donald Trump,0,-0.6\r\n108,10/25/2020,trump covid19,United States of America,California,CA,Donald Trump,2,0\r\n109,10/25/2020,trump currently telling the most relatable set of stories ive ever heard.,United States of America,California,CA,Donald Trump,2,0\r\n110,10/25/2020,trump has finalized a plan to open for oil/gas development part of alaska\xe2\x80\x99s arctic national wildlife refuge &amp; undoing rules to keep methane from leaking from oil/gas wells &amp; pipelines.  unlocking the vast reserve of fossilfuel &amp; greenhouse gases will accelerate climatechange.,United States of America,New Mexico,NM,Donald Trump,2,0\r\n111,10/25/2020,trump has more like 20000,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n112,10/25/2020,trump has never acknowledged these deaths,United States of America,California,CA,Donald Trump,0,-0.7\r\n113,10/25/2020,trump has surrendered. defeated. he has lost any claim to a second term. for god's sake voteearly for biden. he has a plan. votelikeyourlifedependsonitbecauseitdoes,United States of America,New York,NY,Donald Trump,0,-0.2\r\n114,10/25/2020,trump i pulled some trump memes i madei think i made them n 2015-2017please let me know if u like any of them i am hoping my own little self could help in having this piece of shityour fired donny &amp;then if we get some the pussy lawmakersfbi.etc put him behind bars. ap666,United States of America,New York,NY,Donald Trump,2,0\r\n115,10/25/2020,trump is a cancer in america and is so reckless where his rallies go covid19 follows. 85k tested positive for covid on friday we are not turning the corner it\xe2\x80\x99s not getting better it\xe2\x80\x99s getting worse. votehimout2020 america is a laughingstock,United States of America,California,CA,Donald Trump,0,-0.5\r\n116,10/25/2020,trump is delusional.,United States of America,California,CA,Donald Trump,0,-0.1\r\n117,10/25/2020,trump is holding a rally in new hampshire. says joebiden left the state before the primary finished. \xe2\x80\x9che abandoned you...\xe2\x80\x9d election2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n118,10/25/2020,trump is so full of it on 60minutes just like he always is lesliestahl 60minutes,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n119,10/25/2020,trump is the kid who ran for student council promising junk food in the vending machines and won.,United States of America,California,CA,Donald Trump,0,-0.5\r\n120,10/25/2020,trump is way too late too incompetent and too irresponsible.  he  should have acted in january instead of ignoring the whole thing and saying it'd go away,United States of America,New York,NY,Donald Trump,0,-0.8\r\n121,10/25/2020,trump isn't america. he is just american .,United States of America,Ohio,OH,Donald Trump,0,-0.4\r\n122,10/25/2020,trump its cold. so i wear gloves. i might contaminate you....but i don't wear a mask. i'm the 'effin chosenone. do you really think god can strike me down idontthinkso.,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n123,10/25/2020,trump looms over ernst's tough reelection fight in iowa thehill,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n124,10/25/2020,trump maga realdonaldtrump,United States of America,Missouri,MO,Donald Trump,1,0.1\r\n125,10/25/2020,trump makes rare campaign stops to new england in closing stretch trump government politicalparties,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n126,10/25/2020,trump plans to fire heads of fbi cia and pentagon if he wins re-election,United States of America,California,CA,Donald Trump,0,-0.4\r\n127,10/25/2020,trump realdonaldtrump trumpcocainefamily trumpsnort donaldtrumpjr drogadicto,United States of America,California,CA,Donald Trump,2,0\r\n128,10/25/2020,trump realdonaldtrump trumpsnickers,United States of America,California,CA,Donald Trump,2,0\r\n129,10/25/2020,trump recognizeartsakh,United States of America,Nevada,NV,Donald Trump,2,0\r\n130,10/25/2020,trump says boldly \xe2\x80\x9cwe must make america great again.\xe2\x80\x9c it was great before he took office the decline of greatness has been during his tenure and because of him  why would we give him another chance to divide and drag us down further  trumplies voteblue2020 americafirst,United States of America,Washington,WA,Donald Trump,0,-0.6\r\n131,10/25/2020,trump says we test too much fact is if we don\xe2\x80\x99t we won\xe2\x80\x99t know who\xe2\x80\x99s sick joebiden barackobama hillaryclinton,United States of America,New York,NY,Donald Trump,0,-0.5\r\n132,10/25/2020,trump supporters at their finest. fdt joebiden2020 bidenharris2020 donaldtrump trumpisnotamerica,United States of America,California,CA,Donald Trump,1,0.1\r\n133,10/25/2020,trump tax cuts destroys the middle class. rich people benefits from taxes not being paid becuz they get 2 keep their money &amp; they don't have 2 pay what they owe. the middle class suffer because they don't make enough money &amp; struggle to make ends meet. newhampshire trump,United States of America,Alabama,AL,Donald Trump,0,-0.5\r\n134,10/25/2020,trump to visit levant orchard after landing in bangor - bangor daily news trump potus politicalparties,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n135,10/25/2020,trump trumpvirus trumpmeltdown mitchmcconnell trumpliesamericansdie,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n136,10/25/2020,trump will lose the election in 2020 because--from an american perspective all autocrats common failing is belief in rule of one.,United States of America,Nevada,NV,Donald Trump,0,-0.8\r\n137,10/25/2020,trump \xe2\x80\x9cvot\xc3\xa9 por un tipo llamado trump\xe2\x80\x9d elecciones2020 trump,United States of America,Florida,FL,Donald Trump,2,0\r\n138,10/25/2020,trumpceaseanddesist trumpunwanted trumptaint rem remhq trumpcausedeverybodyshurt trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n139,10/25/2020,trumpsurrendered trump trumpvirus trumpsamerikkka trumpisacoward trumpislosing,United States of America,Arizona,AZ,Donald Trump,1,0.1\r\n140,10/25/2020,trumptheatlantic trumpisthethreat trump realdonaldtrump trumpcrimes,United States of America,California,CA,Donald Trump,2,0\r\n141,10/25/2020,trumpwarroom vote voteearly trump kag maga2020 sundaymorning pennsylvania\xf0\x9f\x91\x8d,United States of America,District of Columbia,DC,Donald Trump,1,0.4\r\n142,10/25/2020,trump\xe2\x80\x99s biggest economic legacy isn\xe2\x80\x99t about the numbers - the new york times politicalviews trump whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n143,10/25/2020,trump\xe2\x80\x99s pandemic rallies spread coronavirus infection and misinformation -  political government trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n144,10/25/2020,trump\xe2\x80\x99s presidency 4 years of sadness horror and trauma,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n145,10/25/2020,truthsovertrump electroboyusa joebiden trump may also find out that the \xe2\x80\x9chand of god\xe2\x80\x9d moves mysteriously directing the voices and actions of jurisdictions here and abroad.,United States of America,Colorado,CO,Donald Trump,2,0\r\n146,10/25/2020,understand this simple fact a vote got trump is no different than the germans who voted for hitler. you vote for trump now you are a nazi,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n147,10/25/2020,vanityfair so then he went to trump's son-in-law jared for help to see how to get on the ballot. election2020 evangelicals republicans maga conservatives gop donaldtrump redherring wearamask voteblue,United States of America,California,CA,Donald Trump,0,-0.2\r\n148,10/25/2020,vote covid rise is used as voter suppression tool by trump swing states. there is a concerted trump campaign strategy that seeks to limit depress &amp; negate ballots. his campaign plays the hand dealt - to win. likely that trump $ goes to strategy above before/after election.,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n149,10/25/2020,vote for trump -  donald j trump is my president.,United States of America,California,CA,Donald Trump,0,-0.3\r\n150,10/25/2020,vote for trump there myself thinking about me as may not always think big have two things.,United States of America,New York,NY,Donald Trump,2,0\r\n151,10/25/2020,vote them out realdonaldtrump whitehouse senatemajldr lindseygrahamsc senatorcollins senmcsallyaz senjoniernst sencorygardner johncornyn senthomtillis senategop housegop gop covid19 coronavirus trump2020 trump vote4 joebiden amymcgrathky mjhegar harrisonjaime,United States of America,Texas,TX,Donald Trump,1,0.1\r\n152,10/25/2020,votebidenharristosaveamerica voteearly vote2020 bidenharris2020 harris trump pence covid19 scottatlasisamurderer,United States of America,California,CA,Donald Trump,2,0\r\n153,10/25/2020,votebluetosaveamerica let's get the house back too..and reverse all the harm trump has done to america,United States of America,California,CA,Donald Trump,1,0.4\r\n154,10/25/2020,voteearly vote2020 biden trump harris covid19,United States of America,California,CA,Donald Trump,2,0\r\n155,10/25/2020,votelikeyourlifedependsonit votebidenharris voteearly bidenharris2020 trumpisalaughingstock trump election2020 bidenharrislandslide2020 obama,United States of America,Rhode Island,RI,Donald Trump,2,0\r\n156,10/25/2020,walking talking trump butt lickers,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n157,10/25/2020,watch a special edition of thisweekabc with martharaddatz today at 1030 a.m. after 6abc action news sundaymorning as tamedwards6abc joins the powerhouse roundtable with matthewjdowd and rickklein as trump and biden begin the final homestretch of the campaign trail.,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n158,10/25/2020,watch live tropical storm zeta update tropics hurricane txwx lawx mswx alwx gawx scwx tnwx flwx atlwx atltraffic blm maga trump biden vote election2020 covid covid19 coronavirus protest,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n159,10/25/2020,we are not alone ~ trump vs biden 2o20 election in usa willnot blockthat story~ versatile~plentiful forms of life within &amp; beyond this solarsystem our world/our universe clearly &amp; truly exist~checkout &gt; exoplanets phenomenal news stories \xe2\x9c\x8d\xef\xb8\x8f,United States of America,Texas,TX,Donald Trump,1,0.6\r\n160,10/25/2020,well to be fair trump can't do sit-ups squats or knee bends... \xf0\x9f\x98\x82\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82 bidenharris2020tosaveamerica,United States of America,Florida,FL,Donald Trump,2,0\r\n161,10/25/2020,what concerns me is this is not the bottom. the trump administration can &amp; will do dumber than even this \xf0\x9f\x91\x87\xf0\x9f\x8f\xbc,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n162,10/25/2020,what trump voters have received in return for their support,United States of America,Massachusetts,MA,Donald Trump,1,0.2\r\n163,10/25/2020,what\xe2\x80\x99s going on in nyc today lots of angry people nyc protest vote trump biden newyorkcity,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n164,10/25/2020,when 60minutes airs the trump interview tonight can they please place this gif across the screen the entire time k. thx. bye.,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n165,10/25/2020,while on the phone today to the leaders of sudan and israel mr donaldtrump said do you think 'sleepy joe' could have made this deal somehow i don't think so. name calling in a meeting with international leaders. childish.,United States of America,California,CA,Donald Trump,0,-0.5\r\n166,10/25/2020,why trump can\xe2\x80\x99t take red counties in north carolina for granted - the new york times trump potus government,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n167,10/25/2020,why trump could face a jimmy carter scenario - cnn whitehouse trump politicalviews,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n168,10/25/2020,wish i could tell advertisers on youtube facebook twitter instagram usps all the tv stations and telemarketers \xe2\x80\x9ci already voted\xe2\x80\x9d nomoreads ivoted battlegroundstate nc wastefulspending election2020 trump biden,United States of America,North Carolina,NC,Donald Trump,2,0\r\n169,10/25/2020,with trump being such a man of science i've been wondering what his thoughts are on charles darwin's 'oranges of the species.',United States of America,South Carolina,SC,Donald Trump,0,-0.3\r\n170,10/25/2020,wolfie_rankin detr1tu5 fuzzi_mcapples notthebandfool jenac2 autismjournal kinglouisrocks thepix_isyugen dodo you\xe2\x80\x99re describing my dream home. as long as i don\xe2\x80\x99t have to mow the lawn or listen to leaf blowers. trump lizardpeople,United States of America,Florida,FL,Donald Trump,1,0.4\r\n171,10/25/2020,wow really bad timing for realdonaldtrump &amp; vp pence huh trump covid19 coronavirus,United States of America,New York,NY,Donald Trump,0,-0.8\r\n172,10/25/2020,wrong there is a bottom... it is each and every single republican that blindly support trump an impeached conman criminal racist liar cheat tax-evader philanderer sexist white-supremacist idiot. 100% complicit. that is your bottom,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n173,10/25/2020,yes texans your state could make the history books. we know trump thetraitor will make it in a very bad way in our history,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n174,10/25/2020,you would think that the first thought of christians would be \xe2\x80\x9choly crap the apocalypse is nigh\xe2\x80\x9d when thinking about trump winning the election. he has already brought civil unrest war in our country covid19 pestilence people are struggling famine over 220k dead.,United States of America,New York,NY,Donald Trump,0,-0.9\r\n175,10/25/2020,zakiflwr benyt these young women are all for trump. thanks for playing.,United States of America,Missouri,MO,Donald Trump,1,0.3\r\n176,10/25/2020,zakiflwr fox2now these pantomimes are for trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Missouri,MO,Donald Trump,0,-0.1\r\n177,10/25/2020,\xe2\x80\x9cboth trump and biden are liars. one told 500 and the other told 499. is that your definition of the lesser of two evils\xe2\x80\x9d\xe2\x80\x94- minishmael noisundays election vote,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n178,10/25/2020,\xe2\x80\x9cin the debate this past thursday trump went hard on biden about the 1994 crime bill and he wasn\xe2\x80\x99t wrong. this bill put 10\xe2\x80\x99s of thousands of black men behind bars and destroyed thousands of families\xe2\x80\x9d\xe2\x80\x94- minishmael noisundays election vote blackagenda,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n179,10/25/2020,\xe2\x80\x9cthe divide in america is so great that neither trump nor biden can close it.\xe2\x80\x9d\xe2\x80\x94- minishmael noisundays election blackagenda,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n180,10/25/2020,\xe2\x80\x9cwe must commend our beautiful brother icecube for putting a contract before both trump and biden\xe2\x80\x9d\xe2\x80\x94- minishmael noisundays,United States of America,Illinois,IL,Donald Trump,1,0.4\r\n181,10/25/2020,\xe2\x80\x9cwhile the administrations of george w. bush and barack obama each faced fewer than 80 multi-state lawsuits trump has been hit with more than 130 in just his first term\xe2\x80\x9d,United States of America,New Jersey,NJ,Donald Trump,0,-0.4\r\n182,10/25/2020,\xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 in nh . no socialdistancing. people packed in directly behind trump that are given propaganda signs to wave. there is clear proof of nomasks. imagine what the rest of the rally is like. superspreader,United States of America,Florida,FL,Donald Trump,2,0\r\n183,10/26/2020,it\xe2\x80\x99s crazy because they are trying everything in the world for this not to go public hunterbiden joebiden trump nbc hoodsite,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n184,10/26/2020,you have over 200 people donaldtrump nominated for lower court positions. committed constitutionalists are in the pipeline for future scotus vacancies. it's a stunning achievement.  - gayletrotter on kmcradio cc judicialnetwork,United States of America,New York,NY,Donald Trump,1,0.2\r\n185,10/26/2020,'borat' star sacha baron cohen offers trump a role in next film 'you'll need a job'  trump sacchabaroncohen borat bruno theapprentice,United States of America,New York,NY,Donald Trump,0,-0.2\r\n186,10/26/2020,'sue if you must' lincoln project rejects threat over kushner and ivanka billboards...lincolnproject..trump..,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n187,10/26/2020,'ted cruz just claimed that trump didn't promise to cut the federal debt. but eliminating it was a major part of the president's 2016 campaign \xe2\x80\x94 and he hasn't come close'...trump..gop,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n188,10/26/2020,.johnkingcnn you should be able to correlate covid19 deaths with party registration if true.  trump may have actually killed off his lead in some us counties if not states by saying that masks don't work and not insisting on masks at his rallies which he doesn't.  2/2,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n189,10/26/2020,.realdonaldtrump is the biggest candy ass i've ever seen. his 60minutes interview was a joke. trump the delicate flower can't take questions from a fellow septuagenarian. disgraceful,United States of America,New York,NY,Donald Trump,0,-0.3\r\n190,10/26/2020,19th &amp; 22nd atlanta public school teacher convicted of fraud has sentence commuted by trump &amp; obama rallies for joe biden in philadelphia...   trump atlanta obama  biden,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n191,10/26/2020,2/2 historically pollsters have assumed respondents\xe2\x80\x99 refusals or lying is random and thus unimportant but systematic trump voter refusal or lying would inflate biden\xe2\x80\x99s percentage and underestimate trump\xe2\x80\x99s strength,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n192,10/26/2020,60minutes coward trump ran out and sent his lapdog in when things got real with lesleystahl 60minutes he is such a coward fakepresident loser,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n193,10/26/2020,60minutes says the huge book trump press secretary presented to lesleystahl as his healthcareplan was largely filled with existing legislation smartnews,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n194,10/26/2020,60minutes that\xe2\x80\x99s true sociopaths do speak their minds. most ppl just don\xe2\x80\x99t yet understand what that mind is. all sociopaths are identical; it\xe2\x80\x99s not in their control in spite of trying to seem normal. trump is a sociopath... it\xe2\x80\x99s his brain.,United States of America,California,CA,Donald Trump,0,-0.3\r\n195,10/26/2020,60minutesinterview shows how weak &amp; petulant trump is. if he can\xe2\x80\x99t handle some tough questions from lesliestahl he won\xe2\x80\x99t be able to stand up to dictators. fascism trumpislosing trumpisanationaldisgrace votebluetosaveamerica voteearly votebiden who\xe2\x80\x99s not a socialist,United States of America,California,CA,Donald Trump,0,-0.4\r\n196,10/26/2020,7. multipoloar world order \xe2\x80\x94 ordo ab chao trump nwo,United States of America,New York,NY,Donald Trump,1,0.1\r\n197,10/26/2020,88seattle61 atrupar i wonder how many different psychological disorders can be attributed to trump i wouldn\xe2\x80\x99t let that national disgrace watch over my houseplants let alone a nation trumpisunfitforoffice seniorsforbiden michiganforbiden voteearly bidenharris2020landslide,United States of America,Michigan,MI,Donald Trump,0,-0.7\r\n198,10/26/2020,a federal judge has issued a nationwide preliminary injunction against the trump administration's effort to weaken enforcement of the fair housing act.,United States of America,California,CA,Donald Trump,0,-0.5\r\n199,10/26/2020,a sad sad day in the us because of trump gop mcconnell,United States of America,New York,NY,Donald Trump,0,-0.7\r\n200,10/26/2020,abcpolitics abc trump agonistes an american epic in three acts - a 10000 word essay on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,2,0\r\n201,10/26/2020,abigailmarone dow crashing because of trump's bungled covid19 response.,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n202,10/26/2020,actualepafacts trump trumpcampaign must have been desperate. a complete failure.,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n203,10/26/2020,adamparkhomenko professionally she no longer exists.  she was a regan shill 32 years ago.  now she's just an empty word processor pumping out gop pablum from 32 years ago that has now been fully rejected by the trump gop.....,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n204,10/26/2020,after latest trump republican registration numbers in swing states everyone repositioning their stocks from biden stocks to trump stocks. trump biden election2020 stocks wallstreet dow nasdq nyse wallstreet republicans democrats congress,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n205,10/26/2020,afternoon tribute to trump,United States of America,Colorado,CO,Donald Trump,1,0.2\r\n206,10/26/2020,alexulrichh next he will say he got his doctors excuse from dr. sean adderall. drseanadderall trump timapple,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n207,10/26/2020,allinwithchris trump agonistes an american epic in three acts - a 10000 word essay on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,2,0\r\n208,10/26/2020,america can not afford trump to stay in power.,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n209,10/26/2020,america couldn't handle obama i highly doubt they are ready for a senator that was voted more liberal than bernie sanders. millions of ballots are in already and i'm pretty sure trump has a good idea of how many votes they are getting in the mail-in process. trump biden,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n210,10/26/2020,americafirstpac i think i prefer that scandal than the complete lack of leadership which donaldtrump has shown re coronavirus,United States of America,New York,NY,Donald Trump,0,-0.5\r\n211,10/26/2020,and if you\xe2\x80\x99re a christian who is voting for trump for economic reasons and those lovely tax cuts\xe2\x80\x94welp see you in hell. greed is a sin last i checked.,United States of America,California,CA,Donald Trump,0,-0.9\r\n212,10/26/2020,and this wasn't a healthcare plan surprising nobody in the entire milkyway. so let's just say trump lied again and so did his staff. we do know that he supports plans to gut obamacare and eliminate protection for preexistingconditions the law provides. that's a fact.,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n213,10/26/2020,anncoulter seems the republicans are high on the trump_opioids. even megynkelly has been kowtowing to trump asking for more abuse. what the heck is happening in 2020,United States of America,New York,NY,Donald Trump,0,-0.7\r\n214,10/26/2020,another donaldtrump factcheck,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n215,10/26/2020,another step towards a trump dictatorship trumpisnotamerica trumpiscompromised trumpisaloser trump trumpnotfitforoffice resist biden2020 bidenharris2020tosaveamerica,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n216,10/26/2020,anyone dumb enough to throw away their mask to breathe in coronavirus &amp; win the affections of donaldtrump deserves to catch coronavirus.i don't stutter&amp; i didn't misspeak anyone that stupidor that weak in the knees gets what they deserve.,United States of America,Indiana,IN,Donald Trump,0,-0.8\r\n217,10/26/2020,aravosis what a gop trump cluster fail.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n218,10/26/2020,are trump supporters xenophobic,United States of America,California,CA,Donald Trump,0,-0.9\r\n219,10/26/2020,arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter cat catsofinstagram  kittens trump -,United States of America,Texas,TX,Donald Trump,2,0\r\n220,10/26/2020,arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter cat catsofinstagram  kittens trump -,United States of America,Texas,TX,Donald Trump,2,0\r\n221,10/26/2020,arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter cat catsofinstagram  kittens trump -,United States of America,Texas,TX,Donald Trump,2,0\r\n222,10/26/2020,as a journalist i covered rural township board *work sessions* that were more competent than anything this administration does. trump 60minutes staggeringlyincompetent,United States of America,Minnesota,MN,Donald Trump,0,-0.3\r\n223,10/26/2020,as trump rallies in lancaster i\xe2\x80\x99m talking one-on-one with petebuttigieg about a long list of topics the supreme court court packing taxes the economy &amp; his message to voters as he stumps for joebiden. see the full interview on my fb jamiebittnermedia  trump biden vote,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n224,10/26/2020,at least trump mostly tried to answer the actual questions stahl posed to him even if he meandered off topic or used them as segues to talk about what he wanted. pence looked like he was on dancingwiththestars the way he moved around those questions 60minutes,United States of America,New York,NY,Donald Trump,0,-0.5\r\n225,10/26/2020,aynrandpaulryan realdonaldtrump in addition to tim apple also in realdonaldtrump phone contacts is stormy paidoff kim korea barr dog putin shower melania sideho kanye token and dr. sean adderall trump timcook stormydaniels barr putin kanyewest seanconley timapple,United States of America,Georgia,GA,Donald Trump,2,0\r\n226,10/26/2020,babytrump trumpmeltdown trump is not gonna like this \xf0\x9f\x98\x82,United States of America,Virginia,VA,Donald Trump,0,-0.6\r\n227,10/26/2020,barrett senate debating nomination in advance of scheduled 8 pm floor vote; trump reportedly planning oath-taking at white house tonight monday 10/26.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n228,10/26/2020,because masks aren\xe2\x80\x99t a big deal  love your life way to deal with things leslie sthall getoverit trump you suck,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n229,10/26/2020,benshapiro leslie stahl destroyed anything that was left of trump's  political career last night. 60minutes lesliestahl lesliestahlmadetrumpcry donaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n230,10/26/2020,bettemidler all sociopaths are identical. it\xe2\x80\x99s not perfection it\xe2\x80\x99s not in their control in spite of trying to seem normal. yes trump is a sociopath; it\xe2\x80\x99s his brain. they have no awareness of our actual normal world &amp; are their own undoing.,United States of America,California,CA,Donald Trump,0,-0.4\r\n231,10/26/2020,betting markets have biden at a 65-35 favorite approx.. in blackjack a player busts hitting a 16 62% of the time. can trump get that elusive 5-card election2020 thehill 538politics,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n232,10/26/2020,biden has solid lead over trump in wisconsin narrower edge in pennsylvania reuters/ipsos poll november3rd uselections2020,United States of America,District of Columbia,DC,Donald Trump,1,0.5\r\n233,10/26/2020,biden i mean trump acceptance speech. ruth you\xe2\x80\x99re the best.,United States of America,California,CA,Donald Trump,1,0.3\r\n234,10/26/2020,biden may win the elections with trump\xe2\x80\x99s ideas like made in america and fracking because ideas do not vote people do. if people do not like you they don\xe2\x80\x99t care about your ideas.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n235,10/26/2020,biden on attacks on mental fitness trump thought '9/11 attack was 7/11 attack' thehill,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n236,10/26/2020,biden on attacks on mental fitness trump thought '9/11 attack was 7/11 attack' trump political government,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n237,10/26/2020,biden regains narrow lead over trump in texas 48-45 3 pt moe after wooing more independents and hispanics - poll | dallasnews | elections2020,United States of America,California,CA,Donald Trump,0,-0.1\r\n238,10/26/2020,biden stretches lead over trump in michigan wisconsin and pennsylvania poll thehill,United States of America,Texas,TX,Donald Trump,2,0\r\n239,10/26/2020,bidenharrislandslide2020  and don't forget to watch trump's famous words,United States of America,Florida,FL,Donald Trump,1,0.7\r\n240,10/26/2020,bill43111 kayleighmcenany realdonaldtrump trump got a new waterpik.,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n241,10/26/2020,billkristol sykescharlie it is more that trump wants covid to spike now to depress voter turnout. trump is engaged in a voter subtraction strategy multiple efforts because he cannot win without killing votes. the effort is more politically calculated than is reported.,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n242,10/26/2020,blows my mind that people who wear masks during a global pandemic are called sheep yet people who follow trump despite his repeated liesbigotryand him getting the virus are not\xf0\x9f\xa4\x94,United States of America,California,CA,Donald Trump,0,-0.7\r\n243,10/26/2020,boogaloobois farrightextremists trumprioters trumpisaracist trumpsupporters trumpsamerica votetrumpout votehimout2020 trumpdevastation countryoverparty trump blametrump dictatortrump,United States of America,California,CA,Donald Trump,2,0\r\n244,10/26/2020,borat tried to \xe2\x80\x9cscam\xe2\x80\x9d trump in his ali g skits.  that was the nature of his skits randomly scamming ppl for fun and comedy.  you gotta love these skits tho not gona lie \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xe2\x98\xba\xef\xb8\x8f alig borat,United States of America,New York,NY,Donald Trump,0,-0.2\r\n245,10/26/2020,both so creepy. trump pence 60minutesinterview,United States of America,California,CA,Donald Trump,0,-0.4\r\n246,10/26/2020,brooktl mmpadellan realdonaldtrump you\xe2\x80\x99re buying into trump\xe2\x80\x99s pathetic lies. people can live with cancer heart disease diabetes for many years. it may weaken their immune systems so they catch covid &amp; die from it,United States of America,New York,NY,Donald Trump,0,-0.5\r\n247,10/26/2020,catsagainsttrump \xe2\x80\x94 they\xe2\x80\x99re coming for you trump,United States of America,Arizona,AZ,Donald Trump,2,0\r\n248,10/26/2020,cbsnews that's easy. oldjoe is sleeping while trump works with huge rallies something joementia can't pull-off. and it isn't because covid. sleepyjoe can't trust himself to speak to the press bc he almost certainly will embarrass himself. calling a lid everyday isn't leadership.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n249,10/26/2020,check out theatlantic article on voter subtraction to see how twisted  trump believes the spike in covid is to his election benefit along w/other efforts to suppress voter.,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n250,10/26/2020,claytravis gerrycallahan menemshasunset3 trumpcollapse desperation trumpislosing election2020 bidenharris2020 biden trump nfl trending,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n251,10/26/2020,cleaning the vandalized sign because we respect all candidates we wouldn\xe2\x80\x99t do this to your sign so stop doing this to ours. um foxnews donaldtrump,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n252,10/26/2020,cnbc barely explores the explosive nature of a trump win to the stock market dow dow40k stocks wallstreet economy economics media polls biden stimulus,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n253,10/26/2020,cnn public editor television journalism will remain broken post-trump - columbia journalism review,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n254,10/26/2020,cnni 16 lies in less than 60 minutes this much by trump standards,United States of America,Virginia,VA,Donald Trump,0,-0.6\r\n255,10/26/2020,cool as fuck philly trump,United States of America,Pennsylvania,PA,Donald Trump,1,0.7\r\n256,10/26/2020,could it be that the reason we\xe2\x80\x99re all so stressed out in these divided states of america is because of that great divider and accuser trumpislosing trump trump2020 trumplieseverytimehespeaks,United States of America,Nevada,NV,Donald Trump,0,-0.7\r\n257,10/26/2020,covid19 the statement by the president\xe2\x80\x99s chief of staff is unbelievably ridiculous and irresponsible  we all know that trump is not responsible for anything \xe2\x80\x93 ever,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n258,10/26/2020,covidcases covid trump,United States of America,Florida,FL,Donald Trump,2,0\r\n259,10/26/2020,cspan kathleen_belew jilliankaym the professor just said that if trump wins whitesupremacists will become \xe2\x80\x9cextra-legal strike squads\xe2\x80\x9d like the ones in central america. in my honest opinion this is just a tad hyperbolic. however i am not a phd at uchicago.,United States of America,Maryland,MD,Donald Trump,0,-0.5\r\n260,10/26/2020,cuba y el deep state con adearmas58   trump cuba  a trav\xc3\xa9s de youtube,United States of America,Florida,FL,Donald Trump,2,0\r\n261,10/26/2020,dailymail hey trump can you say... person women man camera tv  hahahah. personwomenmancameratv trumpchinabankaccount russianbountiesonourtroops melaniatapes,United States of America,Florida,FL,Donald Trump,2,0\r\n262,10/26/2020,dcexaminer realdonaldtrump joenbc tell joenbc to tell the truth. report facts. stop twisting stories favorable to trump to make them the opposite. no more fakenews can he handle that \xf0\x9f\x99\x84\xf0\x9f\xa4\xb7\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f,United States of America,New York,NY,Donald Trump,0,-0.3\r\n263,10/26/2020,ddale8 as if we need further evidence that trump has no fucking idea what he\xe2\x80\x99s talking about or that he has a total aversion to the truth.,United States of America,Colorado,CO,Donald Trump,0,-0.9\r\n264,10/26/2020,ddale8 has trump gotten to how great his idea of the economy is doing or hasn't he seen the stock market dive today yet,United States of America,New York,NY,Donald Trump,1,0.7\r\n265,10/26/2020,ddale8 it's a full time job fact checking trump thetraitor he lies about everything,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n266,10/26/2020,ddale8 trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n267,10/26/2020,ddale8 trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n268,10/26/2020,did president trump unveil his black economic empowerment 'platinum plan' for black americans that include prosecuting the ku klux klan and antifa as terrorist organizations and making juneteenth saturday june 19 a federal holiday,United States of America,Arizona,AZ,Donald Trump,0,-0.7\r\n269,10/26/2020,do we think tempertantrum trump would have bullied and walked out on a male interviewer 60minutes trumpisamisogynist end this war on waronwomen votehimout2020,United States of America,New York,NY,Donald Trump,0,-0.8\r\n270,10/26/2020,doe makes good on addressing trump dishwasher complaints  via eenewsupdates. the new product class could encourage new dishwashers with short normal cycles that use far higher amounts of energy and water but don't make dishes any cleaner.,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n271,10/26/2020,dolphfinn33 real_defender democratic states have the worst rate all to blame trump when its all in the hands of local officials governor's and mayor's.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n272,10/26/2020,donald trump has been the best president for black americans since abraham lincoln  via wordpressdotcom trump,United States of America,Texas,TX,Donald Trump,1,0.7\r\n273,10/26/2020,donaldjtrumpjr &amp; trump thinks he\xe2\x80\x99s running against a free press &amp; science,United States of America,California,CA,Donald Trump,0,-0.7\r\n274,10/26/2020,donaldjtrumpjr thedemocrats senatedems dnc dncwarroom housedemocrats senatejudiciary realdonaldtrump ivankatrump donaldjtrumpjr erictrump trump trumpcrimefamily,United States of America,Florida,FL,Donald Trump,2,0\r\n275,10/26/2020,donaldtrump has backed himself into a corner where bad weather on electionday or covid19 continuing to spike in places like wisconsin could lead an even more humiliating defeat. elections2020 vote votebluedowntheballot votehimout2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n276,10/26/2020,donaldtrump is a petulant man baby.  he can\xe2\x80\x99t handle an interview with a journalist; and as we can see after 4 years he\xe2\x80\x99s incapable of fulfilling the job of president. loserinchief bluewave2020 votelikeyourlifedependsonit votebluedownballot bidenharris2020tosaveamerica,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n277,10/26/2020,donaldtrump putinspuppet,United States of America,South Carolina,SC,Donald Trump,1,0.3\r\n278,10/26/2020,donaldtrump says hillaryclinton had more energy was smarter than joebiden  via nypost election2020,United States of America,Massachusetts,MA,Donald Trump,0,-0.3\r\n279,10/26/2020,donaldtrump told at least 16 lies or misleading claims during 60minutes interview,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n280,10/26/2020,election special-media cover-upcomp events halloween &gt;&gt;&gt; media censorship trump biden,United States of America,California,CA,Donald Trump,0,-0.2\r\n281,10/26/2020,election2020 poll debates2020 trump biden,United States of America,Illinois,IL,Donald Trump,1,0.2\r\n282,10/26/2020,en timessquare con el famoso batmantimessq nyc trumpmemes donaldtrump,United States of America,New York,NY,Donald Trump,1,0.6\r\n283,10/26/2020,enja1949 pffft trump is a spent entity. a morbidly obese old man.,United States of America,Nevada,NV,Donald Trump,2,0\r\n284,10/26/2020,epochtimes cbs 60minutes trump come on man. this is why ivoted4biden in florida. times running out for him.,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n285,10/26/2020,erictrump is hosting a make america great again event in las vegas on tuesday according to the donaldtrump website. election2020,United States of America,Nevada,NV,Donald Trump,1,0.5\r\n286,10/26/2020,erictrump leslie stahl destroyed anything that was left of his political career last night. 60minutes lesliestahl lesliestahlmadetrumpcry donaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n287,10/26/2020,eu eurasia cnooc rosneft gazprom lukoil iraqi basra baghdad amman oott kurdistan doha opec austintx beijing iran brussels bri berlin chinatrade chinabusiness trump houston oil,United States of America,Texas,TX,Donald Trump,2,0\r\n288,10/26/2020,europe is showing their displeasure on covid19 restrictions because donaldtrump and his supporters have shown the world it\xe2\x80\x99s ok to not follow rules of the land europarl_en cdcgov who projectlincoln trumpchaos worldiswatching vote trumpout americaortrump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 mask,United States of America,California,CA,Donald Trump,0,-0.7\r\n289,10/26/2020,find me a bigger bitch on the planet than donaldtrump,United States of America,California,CA,Donald Trump,0,-0.7\r\n290,10/26/2020,five ideas conservatives should bury together with trump's presidency. my latest in bulwarkonline.,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n291,10/26/2020,for the first time in months a poll shows trump leading biden in pennsylvania,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n292,10/26/2020,foxnews the screeds and rants warning against the impending socialist takeover of the unitedstates have many voters wondering why trump would threaten socialsecurity &amp; medicare in the middle of a pandemic medicare is essential for the well-being of seniors. we must stop trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n293,10/26/2020,from policemen of the world how trump is transforming americas role to commander of the world,United States of America,California,CA,Donald Trump,1,0.3\r\n294,10/26/2020,fuck all y\xe2\x80\x99all trump mitchmcconnell acb supremecourtconfirmation trumpisnotamerica votersuppression moscowmitch votelikeyourlifedependsonit,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n295,10/26/2020,fuck this negative selfish egotistical loser trump. i'm riding with biden2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n296,10/26/2020,gaysfortrump trump,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n297,10/26/2020,gehrig38 we have spoken before about the phillies \xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f anyway. your killing hit bro. trump/schilling 2024,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n298,10/26/2020,get 'em trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n299,10/26/2020,god has now taken to ringing church bells every time joe biden begins to lie.... biden trump vote election,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n300,10/26/2020,gopchairwoman realdonaldtrump please try to convince the republican party and donaldtrump to protect socialsecurity &amp; medicare. trump continues to rail against social programs with his radical economic ideology. our seniors depend on these government programs,United States of America,California,CA,Donald Trump,0,-0.2\r\n301,10/26/2020,govandrewcuomo strongly rejects white house chief of staff markmeadows' claim the trump administration can't control the spread of covid19. the cuomo rx increase testing and contact tracing then take follow up action. coronavirus pandemic,United States of America,New York,NY,Donald Trump,0,-0.2\r\n302,10/26/2020,growingaway george bush lol either way trump culp freed,United States of America,Arizona,AZ,Donald Trump,1,0.4\r\n303,10/26/2020,half of the 2300 people we surveyed say their finances didn\xe2\x80\x99t change much under president trump before the start of the pandemic  2020election vote,United States of America,New York,NY,Donald Trump,0,-0.7\r\n304,10/26/2020,having to start all over jack shut me down because of my trump support please follow,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n305,10/26/2020,he is. trump,United States of America,Indiana,IN,Donald Trump,2,0\r\n306,10/26/2020,here we go again with the political meddling into the selection of the next president at \xe2\x81\xa6mdcollege\xe2\x81\xa9; now it\xe2\x80\x99s a different trump loyalist pushed by \xe2\x81\xa6mbileca\xe2\x81\xa9 tainted palanca only on politicalcortadito,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n307,10/26/2020,here\xe2\x80\x99s the wrench in the engine of the democrats joebiden hillaryclinton barackobama caused 911 they raped and murdered middle east children so why would u want someone like that for president votetrump donaldtrump,United States of America,California,CA,Donald Trump,0,-0.8\r\n308,10/26/2020,hey joe biden why ya been hiding song    repost and may the lord look over you foxnews la sandiego sanfrancisco dobbs seattle portland ca la detroit seattle beer snl fl pa ca mi pa ny trump,United States of America,California,CA,Donald Trump,0,-0.7\r\n309,10/26/2020,hey joe biden why ya been hiding song    repost and may the lord look over you foxnews la sandiego sanfrancisco dobbs seattle portland ca la detroit seattle beer snl fl pa ca mi pa ny trump,United States of America,California,CA,Donald Trump,0,-0.7\r\n310,10/26/2020,hey realdonaldtrump the stock market is diving because of record covid cases and no stimulus deal. you do not care about the virus spread nor do you give a shit about unemployed workers in dire need of help. you are a disaster. economy trump trumpcrash trumpvirus,United States of America,California,CA,Donald Trump,0,-0.5\r\n311,10/26/2020,hey realdonaldtrump...do you really think these interviews actually help you that being a rude nasty angry incoherent whiny little snowflake manbaby who storms off like a petulant child makes you look good  trump 60minutesinterview lesleystahl,United States of America,New York,NY,Donald Trump,2,0\r\n312,10/26/2020,hey republican voters...think about it why would these rinos go against realdonaldtrump if he was such a successful great conservative they're going against trump because he's a total corrupt dangerous fraud. period.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n313,10/26/2020,hey swatlashoover i\xe2\x80\x99d love to see the complete data set and information that this sad graph is based on  do you mind posting thatscottatlasisamurderer votersuppression vote biden harris covid19 trump monday trumpcollapse trumpislosing realdonaldtrump,United States of America,California,CA,Donald Trump,0,-0.3\r\n314,10/26/2020,he\xe2\x80\x99s such a baby. trump,United States of America,Indiana,IN,Donald Trump,0,-0.1\r\n315,10/26/2020,how anyone can watch this trump 60minutesinterview and say that's my guy is certifiable. the man is an absolute idiot in every way and it's incredible some people don't get that.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n316,10/26/2020,how could anyone in their right mind vote for trump that is so sick. the man is deranged.  vote inperson for bidenharris2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n317,10/26/2020,how much longer can the defend and protect joe forgetting trump oh my,United States of America,Illinois,IL,Donald Trump,2,0\r\n318,10/26/2020,huh it's almost like you could totally have seen trump's blustering coming for years if you were paying attention. trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n319,10/26/2020,i bet the democrats are all hot and frosty right now over acb haha amyconeybarrettscotus josiahrises maga votetrump2020 donaldtrump,United States of America,California,CA,Donald Trump,1,0.5\r\n320,10/26/2020,i disagree with amber rose. kanye west is very flawed but at least he has a good heart  donaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n321,10/26/2020,i don\xe2\x80\x99t know if everyone is familiar with michelleisawolf\xe2\x80\x99s oppressed white woman bit but her voice saying  \xe2\x80\x9csometimes things aren\xe2\x80\x99t fair for me\xe2\x80\x9d is all i hear when trump bellyaches.,United States of America,California,CA,Donald Trump,0,-0.4\r\n322,10/26/2020,i just added \xe2\x80\x9cbbn films massive crowds early voting in fairfax virginia trump biden elections2020\xe2\x80\x9d to capit\xe2\x80\xa6,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n323,10/26/2020,i just did a test and it seems my account has been ghosted or similar. my non-political account has had hundreds of impressions on an identical tweet with same hashtags. this account showed no impressions. please say something if you can see this tweet maga2020 trump2020 trump,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n324,10/26/2020,i just saw amish behind trump. amish for trump yesterday nuns for trump fakemelania i pray americans are smart enough to know halloween  came early + trump is trying to punk us. don't fall for it,United States of America,California,CA,Donald Trump,0,-0.5\r\n325,10/26/2020,i pray 2d frm jer. 48.31 wail 4 us dear christ r u struck as i am by ths comment frm a friend if trump wins god isn't done wth us yet. not just b/c r times r like jeremiah's in the bible also b/c jesus knows r suffering ths is my prayer 2da. his reply 2da pcusa,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n326,10/26/2020,i reran my numbers after a few adjustments.  i'm showing biden up by around 715000 in florida over trump based on all votes cast as of monday afternoon. election2020,United States of America,Maryland,MD,Donald Trump,2,0\r\n327,10/26/2020,i roll my eyes when democrats say things like \xe2\x80\x9chistory will judge them harshly\xe2\x80\x9d. trump and his followers simply don\xe2\x80\x99t care. focus on what you can control. there\xe2\x80\x99s no reasoning with unreasonable people. vote,United States of America,New York,NY,Donald Trump,0,-0.4\r\n328,10/26/2020,i think it's worth wheeling this out once more. ice cream gloves rule the world.  donaldtrump sachabaroncohen,United States of America,Florida,FL,Donald Trump,1,0.4\r\n329,10/26/2020,i think quaalude trump is better than meth trump. --jheil assessing trump debates2020 performances on sho_thecircus,United States of America,New York,NY,Donald Trump,1,0.1\r\n330,10/26/2020,i tr\xc3\xadela believed the markets will go to \xe2\x80\x9chell\xe2\x80\x9d if trump doesn\xe2\x80\x99t win,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n331,10/26/2020,i'm here did i miss anything is trump already done ...wait he hasn't even *landed* yet aw nuts.,United States of America,Oregon,OR,Donald Trump,0,-0.1\r\n332,10/26/2020,if trump broke the ceiling for a regular joe becoming president then aoc broke the floor \xf0\x9f\xa4\xa3\xf0\x9f\x98\x82 taking stupid to entirely new lows.,United States of America,California,CA,Donald Trump,0,-0.8\r\n333,10/26/2020,if trump was in charge of thealamo in 1836 we'd all be living in mexico now.,United States of America,California,CA,Donald Trump,2,0\r\n334,10/26/2020,if trump wins; it\xe2\x80\x99ll be another 4 years of trump bashing from the media and major trump derangement syndrome. trump trump2020landslide,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n335,10/26/2020,if trump2020 trump wins the media is absolutely going to lose their mind ...,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n336,10/26/2020,if you believe trump has never done anything wrong or said anything he shouldn\xe2\x80\x99t have then you are everything that is wrong with america. this maniac needs to go,United States of America,Nevada,NV,Donald Trump,0,-0.7\r\n337,10/26/2020,if you think trump is a little bitch with a clear mental problem now just wait in 8 days it is going to be a temper tantrum in gigantic proportions. 60minutesinterview trumpislosing bidenharrislandslide2020 vote2020 votebluetoendthisnightmare,United States of America,New York,NY,Donald Trump,0,-0.2\r\n338,10/26/2020,in a biden loss i'm going to enjoy showing the screenshots of folks telling me to vote for trump or stay home. i should have been taking &amp; archiving screenshots long ago but i started late so now i have 2.,United States of America,California,CA,Donald Trump,0,-0.3\r\n339,10/26/2020,in early november 3rd democrats will be leading until later when republican get out of work and vote.  vote trump trump2020 republicans election2020,United States of America,North Carolina,NC,Donald Trump,2,0\r\n340,10/26/2020,inbox randpaul + senmikelee + repmattgaetz in arizona for trump on tuesday.,United States of America,Kentucky,KY,Donald Trump,2,0\r\n341,10/26/2020,iphone covid19 apple latestmodel trump,United States of America,Maryland,MD,Donald Trump,2,0\r\n342,10/26/2020,it just keeps going on and on. the trump administration is violating ethics but now it is close to violating laws that cross separation of power. donald j. trump is not only the worst president in the history of the usa but he has i believe broken the law.,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n343,10/26/2020,it's always fun when democrats decide all republicans including republicansforbiden are evil or feel free to make statements to that effect. which is btw precisely how we ended up with trump. idiots who only see party.,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n344,10/26/2020,it's not just that physicians and other health care workers are risking their lives to care for covid patients it's that their risking their lives more than need be due to trump's incompetence. the statement he made was outrageous and offensive.,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n345,10/26/2020,it\xe2\x80\x99s exactly what he\xe2\x80\x99s doing. trump,United States of America,Indiana,IN,Donald Trump,1,0.3\r\n346,10/26/2020,ivankatrump thank you dear daughter/wifey trump trumpislosing trumpchinabankaccount,United States of America,District of Columbia,DC,Donald Trump,1,0.7\r\n347,10/26/2020,ivankatrump trump agonistes an american epic in three acts - a 10000 word essay on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,2,0\r\n348,10/26/2020,i\xe2\x80\x99ll put it in influencer lingo. i don\xe2\x80\x99t want anymore of the trump brand does not align with my morals and values trump biden2020 vote influencer millenial branding,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n349,10/26/2020,i\xe2\x80\x99m curious to how the chancellor is going to respond to the protest ok campus of his attendance at last weekends trump rally. uncp,United States of America,North Carolina,NC,Donald Trump,2,0\r\n350,10/26/2020,i\xe2\x80\x99m not just voting against trump. i\xe2\x80\x99m voting for this. for biden.  bidencares bidenharris,United States of America,California,CA,Donald Trump,2,0\r\n351,10/26/2020,i\xe2\x80\x99m reminded why i haven\xe2\x80\x99t watched 60minutes for ages. i wanted to see ok what\xe2\x80\x99s the big deal w the trump interview. what a joke lesliestahl is. my college age niece could ask tougher questions.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n352,10/26/2020,i\xe2\x80\x99m such a baby trump trumpislosing,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n353,10/26/2020,jaketapper leslie stahl destroyed anything that was left of trump's  political career last night. 60minutes lesliestahl lesliestahlmadetrumpcry donaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n354,10/26/2020,jaketapper trump is afraid of women.,United States of America,California,CA,Donald Trump,0,-0.8\r\n355,10/26/2020,jaredkushner says black americans are complaining too much and president trump can't want them to be successful more than they want to be successful. via mzmichgarcia,United States of America,New York,NY,Donald Trump,0,-0.4\r\n356,10/26/2020,jessesingal how is this any different than joebiden saying \xe2\x80\x9cif you have a problem deciding whether you\xe2\x80\x99re for me or trump then you\xe2\x80\x99re not black.\xe2\x80\x9d  this is the same chelseahandler...,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n357,10/26/2020,joe scarborough compares trump to putin \xe2\x80\x98trump would kill reporters if he could get away with it\xe2\x80\x99..trump..gop..press..,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n358,10/26/2020,joebiden i will support trump in this act,United States of America,New York,NY,Donald Trump,0,-0.2\r\n359,10/26/2020,joebiden takes what he wants out of context. in chester pa today he said trump claimed the covid death count was inflated because the doctors get more money. the fact is hospitals/doctors are reimbursed more if the death is directly related. but not just to bilk taxpayers,United States of America,Nevada,NV,Donald Trump,0,-0.4\r\n360,10/26/2020,joebiden this is why use just lost my vote you refuse to put in the time &amp; effort to win. realdonaldtrump is out their busting his ass. hard work pay off ivoted trump,United States of America,Nevada,NV,Donald Trump,0,-0.5\r\n361,10/26/2020,joebiden\xe2\x80\x99s basket of deplorables moment calls trump supporters \xe2\x80\x98chumps\xe2\x80\x99 democratic presidential candidate joebiden addressed a pennsylvania rally on saturday called president donald trump supporters \xe2\x80\x9cchumps.\xe2\x80\x9d  respect the people if you want respect from them.,United States of America,Florida,FL,Donald Trump,2,0\r\n362,10/26/2020,john di camillo on the ethics of a covid-19 vaccine.  usccb catholicmed cma_long fingerlakescma ascensionhealth myfranciscan regncov2 regeneron vaccines covid19 bioethics medicalethics science prolife trump,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n363,10/26/2020,johnbrennan former cia head blasts trump for wanting to invite heads of saudiarabia to a party in dc if he wins election. toadyism to the kingdom is what this administration has been about since day 1.,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n364,10/26/2020,johncornyn why don't you correct trump when he lies about windpower,United States of America,Kentucky,KY,Donald Trump,0,-0.9\r\n365,10/26/2020,joncoopertweets trump does know he\xe2\x80\x99s going to lose. he\xe2\x80\x99s known it for a while. he\xe2\x80\x99s letting covid run rampant as you say because he doesn\xe2\x80\x99t care abt people. he also just has no clue how to do anything; he isn\xe2\x80\x99t a president he isn\xe2\x80\x99t a business man... he\xe2\x80\x99s a sociopath.,United States of America,California,CA,Donald Trump,0,-0.9\r\n366,10/26/2020,jsolomonreports sealing her own fate. if she is lucky she\xe2\x80\x99ll ride trump\xe2\x80\x99s coattails on nov 3rd. she better not forget who\xe2\x80\x99s party it is now.,United States of America,Virginia,VA,Donald Trump,0,-0.3\r\n367,10/26/2020,judithrose91 so for feedback i saw your video via a guy i follow in pennsylvania not sure what your intent was but wow you seem to have gone viral here. i realize trump wasn't your choice in 2016 i supported him as my party's nominee but imagine if he got a fair shake for 4 yrs ...,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n368,10/26/2020,just a reminder trump hitler maga bidenharris2020,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n369,10/26/2020,just watch 60minutes and what a douche realdonaldtrump was.  how pathetic the man baby was.  trumpislosing trump trumpisanationaldisgrace trumpisaracist,United States of America,New York,NY,Donald Trump,0,-0.5\r\n370,10/26/2020,just watched trump\xe2\x80\x99s portion of 60minutes. wow. wow. wow wow wow. election2020,United States of America,District of Columbia,DC,Donald Trump,1,0.6\r\n371,10/26/2020,kamalaharris already voted for trump,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n372,10/26/2020,karma raw dogging trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n373,10/26/2020,kayleighmcenany cas2328 realdonaldtrump trump ; helping to spread covid19 with one unsafe rally at a time.,United States of America,California,CA,Donald Trump,1,0.1\r\n374,10/26/2020,kevinw90295009 judydelibera mmpadellan realdonaldtrump australia has zero deaths &amp; zero new cases of covid.the countries in europe opened up too soon.all in all the us still has the largest number of cases &amp;  is fair to blame trump b/c he told bob woodward that he knew covid was deadly in january but did nada,United States of America,New York,NY,Donald Trump,0,-0.4\r\n375,10/26/2020,kimguilfoyle nypost leslie stahl destroyed anything that was left of his political career last night. 60minutes lesliestahl lesliestahlmadetrumpcry donaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n376,10/26/2020,kirkjnahrawork savagelucia priorities this is the crew that would prioritize santa claus performers for a vaccine right behind first responders and health care providers.  when it comes to judging trump wh priorities folks like us have no clue what in going on behind the curtain.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n377,10/26/2020,kirstiealley you have millions &amp; millions of trump supporters who will help you if any scum democrat\xf0\x9f\x90\x80\xf0\x9f\x90\x80\xf0\x9f\x90\x80s come calling,United States of America,New York,NY,Donald Trump,0,-0.8\r\n378,10/26/2020,krystalball left wingers will interpret this post as being racist.  why not focus on trump stomping out after not liking his questions... kamalaharris is 150% smarter than you,United States of America,California,CA,Donald Trump,0,-0.5\r\n379,10/26/2020,kylegriffin1 well putin has cancelled trump \xf0\x9f\xa4\xa3,United States of America,Texas,TX,Donald Trump,1,0.5\r\n380,10/26/2020,last week the trump administration announced a peace agreement between israel and sudan. as a result of the agreement the nations will normalize relations for the first time in the two nations\xe2\x80\x99 histories.  israel peace sudan trump,United States of America,Florida,FL,Donald Trump,1,0.1\r\n381,10/26/2020,latest electoral map october 25. biden vs trump who is going to win election2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n382,10/26/2020,leahmcelrath trump .... just go down and get the papers  down where and what papers  listen to this chump,United States of America,New York,NY,Donald Trump,2,0\r\n383,10/26/2020,lesley stahl giant health care book in trump interview had 'no comprehensive health care plan' - well with trump involved you know it will be interesting. express your opinions anonymously on,United States of America,New York,NY,Donald Trump,0,-0.3\r\n384,10/26/2020,leslie stahl was professional and her questions were appropriate.  trump is thin-skinned and has never been presidential.,United States of America,Florida,FL,Donald Trump,1,0.1\r\n385,10/26/2020,lesliestahl seemed cautious with trump as one would an explosive narcissist but she pursued her questions w/ a smile. norahodonnell seemed overly aggressive and like she had an agenda outside of getting a good interview.,United States of America,Washington,WA,Donald Trump,2,0\r\n386,10/26/2020,letsgetserious vote bidenharris donaldtrump cnn foxnews abcnews ktla,United States of America,California,CA,Donald Trump,1,0.2\r\n387,10/26/2020,lilpump says he\xe2\x80\x99s supporting trump.  new orleans louisiana,United States of America,Louisiana,LA,Donald Trump,2,0\r\n388,10/26/2020,listen to friday's billbunkley show us trans secelainechao on trump \xe2\x80\x99s fla achievements-trump sr advisor steve cortes on thur debate focusfamily geremy keeton on domestic violence month- movieguide drbaehr reviews honest thief/the war with grandpa,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n389,10/26/2020,live liza draws trump administration gives in to covid . watch me on happs  covid19 trump,United States of America,New York,NY,Donald Trump,2,0\r\n390,10/26/2020,longisland it is truly amazing how many people support trump and his racist policies. they claim family values but this man has nothing to do with loving families only caging them with hate at the center and his followers love the hate. evil and racism is their god truly sad,United States of America,New York,NY,Donald Trump,0,-0.3\r\n391,10/26/2020,looking for white evangelicals\xe2\x80\x94a major news outlet wants to interview a white evangelical who voted for donaldtrump in 2016 but will vote for joebiden this year. if that's you plz message me and i'll put you in touch with the producer for that story.,United States of America,Illinois,IL,Donald Trump,2,0\r\n392,10/26/2020,looking good but it's not over until every trump voter gets their votes counted we want a landslide2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n393,10/26/2020,lunatic trump supporter pulling a gun trumpsamerica smh,United States of America,New York,NY,Donald Trump,0,-0.7\r\n394,10/26/2020,maddow trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n395,10/26/2020,maga trump supporters u let this douche bag kill you &amp; your family i'm riding with biden,United States of America,New York,NY,Donald Trump,0,-0.9\r\n396,10/26/2020,maga2020 kag donaldtrump,United States of America,Georgia,GA,Donald Trump,1,0.3\r\n397,10/26/2020,maga2020 kag donaldtrump,United States of America,Georgia,GA,Donald Trump,1,0.3\r\n398,10/26/2020,maga2020 kag donaldtrump,United States of America,Georgia,GA,Donald Trump,1,0.3\r\n399,10/26/2020,maga2020 maga2020landslidevictory donaldtrump donaldtrump2020,United States of America,California,CA,Donald Trump,1,0.3\r\n400,10/26/2020,maggieemage trump pence and the gopsenate *prancing* around amyconeybarrett...and have conveniently forgotten covidrelief i would say american voters need to light a fire under them....but seeing how they ignore even the westernwildfires too i guess that won't work\xf0\x9f\x98\xa0\xf0\x9f\x98\xa0\xf0\x9f\x98\xa0,United States of America,Oklahoma,OK,Donald Trump,0,-0.8\r\n401,10/26/2020,marilyngho 2020bluetexas at this point not even a legitimate diagnosis of insanity is plausible for supporting enabling or voting for donaldtrump,United States of America,California,CA,Donald Trump,0,-0.7\r\n402,10/26/2020,marklevinshow mark twist everything around to meet his preaching. mark like trump uses \xe2\x80\x98alternative facts\xe2\x80\x99 to make a story filled with half truths and innuendos. shame-blame-hate maga2020landslidevictory makeamericagreatagain kag2020 trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n403,10/26/2020,markpatient joebiden you don\xe2\x80\x99t think trump lies,United States of America,New York,NY,Donald Trump,0,-0.6\r\n404,10/26/2020,masks covid trump wheelscomeoff,United States of America,Florida,FL,Donald Trump,2,0\r\n405,10/26/2020,massacre. trump would've been massacred in debates against tulsigabbard. he even said during the primaries that he was genuinely scared of her. \xf0\x9f\x98\x82\xf0\x9f\x98\x8e\xf0\x9f\x92\xaf,United States of America,California,CA,Donald Trump,0,-0.4\r\n406,10/26/2020,meidas_kelly 1froggyevening realdonaldtrump trumpwereontoyou predictabletrump trump realdonaldtrump trumpputaforkindonald,United States of America,California,CA,Donald Trump,2,0\r\n407,10/26/2020,melania trump to make belated campaign trail appearance - cnn politicalviews trump politicalparties,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n408,10/26/2020,members of trump's own administration say he is not competent to be president.,United States of America,Nevada,NV,Donald Trump,0,-0.8\r\n409,10/26/2020,message to venezuelan and cubans.  mexico was ruled by a conservative party for a long time.  using tactics that current republicans in america use to stay in power.  it was an oppressive time in mexico.  authoritarian regimes come from all ideology.  bidenharris2020 trump,United States of America,Arizona,AZ,Donald Trump,0,-0.4\r\n410,10/26/2020,michaleen danpolovina ddale8 not only that he was awesome during sandi sending food and first responders to elderly people home donaldtrump is an idiot realdonaldtrump,United States of America,New Jersey,NJ,Donald Trump,0,-0.2\r\n411,10/26/2020,mike_pence staff hit by covid19outbreak as biden says trump has surrendered to pandemic | reuters,United States of America,California,CA,Donald Trump,0,-0.5\r\n412,10/26/2020,millions of other people\xe2\x80\x94not hard leftists or angry atheists just regular folk\xe2\x80\x94have a visceral reaction  \xe2\x80\x9cif that\xe2\x80\x99s what it means to be a conservative a \xe2\x80\x98pro-lifer\xe2\x80\x99 a christian i want no part of it.\xe2\x80\x9d -matt kauffman,United States of America,Tennessee,TN,Donald Trump,0,-0.2\r\n413,10/26/2020,minutoaminuto coberturaespecial elecciones2020 eeuu trump biden estadosunidos americadecide radiocaracol1260am,United States of America,Florida,FL,Donald Trump,2,0\r\n414,10/26/2020,mlbonfox he looks like a trump kinda guy trump2020,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n415,10/26/2020,mommamia1217 .projectlincoln can we get a video with a timeline showing trump made the virus a crisis. and he can't fix it. 11/03/2020 donaldtrump needs to exit. we demand a trexit.,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n416,10/26/2020,more threats against another governor. what does trump plan to do-throw them all out and install more puppets trumpisabully,United States of America,Virginia,VA,Donald Trump,0,-0.4\r\n417,10/26/2020,msnbc chrisjansing trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n418,10/26/2020,must watch president trump plays a devastating video for joe biden in ...  via youtube why did foxnews cut away when potus played this at the rally trump2020 trump democratsaredestroyingamerica,United States of America,New York,NY,Donald Trump,0,-0.6\r\n419,10/26/2020,my kids have never had this kind of tantrum. absolutely ridiculous. trumptantrum trump crybaby,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n420,10/26/2020,narcissistic personality disorder + antisocial personality disorder + aggression + paranoia = malignant narcissism = donald trump unfit malignantnarcissism trump biden2020 sociopathpresident,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n421,10/26/2020,natesilver538 johnjharwood trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n422,10/26/2020,navynana2 this is trump doings this has all his name in it typical conjob. where is the fucking doj and ig on this bullshit.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n423,10/26/2020,nbcnews trump agonistes an american epic in three acts - a 10000 word essay on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,2,0\r\n424,10/26/2020,new numbers just released by the cdc it\xe2\x80\x99s funny how the media are quick to cover deaths and cases but not the people who survived \xf0\x9f\x99\x84 fakemedia fakenews cnn covid_19 cases survival trump biden 2020,United States of America,California,CA,Donald Trump,0,-0.5\r\n425,10/26/2020,new poll trump biden deadlocked in georgia,United States of America,Georgia,GA,Donald Trump,2,0\r\n426,10/26/2020,newyorkpost endorses trump makeamericagreatagain again\xe2\x80\x98  via breitbartnews trumplandslidevictory2020 \xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\xa4\x8d\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x99\x8f\xf0\x9f\x8f\xbb,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n427,10/26/2020,nicolejenn1217 paulrudnickny and trump is the one who made it a federal crime if he dares to mistreat them.,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n428,10/26/2020,no trump you're wrong again. nobody loves you too much,United States of America,California,CA,Donald Trump,0,-0.3\r\n429,10/26/2020,norahodonnell wow. really disappointed in you. why parrot trump's vile attacks as if they have any validity  you should think about moving at foxnews.,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n430,10/26/2020,north carolina poll donald trump 48% joe biden 46% potus whitehouse trump,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n431,10/26/2020,not kidding. states reaching \xe2\x80\x9crationing care.\xe2\x80\x9d trump first-bumping. pence traveling while his team is sick. if realdonaldtrump doesn\xe2\x80\x99t lose by a landslide2020 our country is beyond saving. votehimout2020 votebluetosaveamerica votebidenharristosaveamerica coronavirus,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n432,10/26/2020,nowaytotalk trumpmeltdown trump 60minutesinterview,United States of America,Texas,TX,Donald Trump,2,0\r\n433,10/26/2020,nypostopinion leslie stahl destroyed anything that was left of trump's  political career last night. 60minutes lesliestahl lesliestahlmadetrumpcry donaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n434,10/26/2020,nytpolitics and the cages were built by obama. and most of the so-called parents weren't the kids parents at all but child smugglers. this is the horrible situation going on at the border for much longer than the trump admin. he at least is trying to put a stop to it. \xf0\x9f\xa4\xa5,United States of America,New York,NY,Donald Trump,0,-0.4\r\n435,10/26/2020,od_usfbulls20 dc_draino love all the flags. \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 even the mexican flag \xf0\x9f\x87\xb2\xf0\x9f\x87\xbd was there with the trump flag,United States of America,California,CA,Donald Trump,1,0.4\r\n436,10/26/2020,offered as a public service announcement to anyone who was 100% sure donaldtrump would never become president' in 2016 from president obama to stephen colbert to every news reporter on mainstream news and cable,United States of America,North Carolina,NC,Donald Trump,0,-0.3\r\n437,10/26/2020,oh dear where\xe2\x80\x99s he going to go when he loses trump,United States of America,California,CA,Donald Trump,2,0\r\n438,10/26/2020,okay.  just when you thought this administration couldn't get nuttier yesterday we found out that the maga trump administration's plan for distributing a covid19  vaccine is to have santa claus deliver it.  truestory kag,United States of America,Minnesota,MN,Donald Trump,2,0\r\n439,10/26/2020,older article but relevant today... trump vote voteblue,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n440,10/26/2020,omg trump revealed as total  loser suburbanwomen,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n441,10/26/2020,once trump receives 30% support from the black community  the rest is an easy 2020election win trump is allocating $500 billion to the black community as well that is unity &amp; americafirst not racist bidenharris2020.,United States of America,California,CA,Donald Trump,0,-0.1\r\n442,10/26/2020,our gulfcoast of the united states been hit by like 4 named storms this hurricane season and trump and our government is like,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n443,10/26/2020,palmerreport trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n444,10/26/2020,part 6 of 10 offsetyrn being detained \xf0\x9f\x91\xae\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f cardi cardib bardi bardib beverlyhills donaldtrump trump trumprally  thesavageroom savage,United States of America,New York,NY,Donald Trump,0,-0.3\r\n445,10/26/2020,passing out trump fiction on airforceone,United States of America,New York,NY,Donald Trump,0,-0.1\r\n446,10/26/2020,pauljohnscott further response from the second tweet author tells me the plumber is a pretty flagrant racist so cutting them out of one\xe2\x80\x99s life wouldn\xe2\x80\x99t be a bad thing in any case tho the racism wasn\xe2\x80\x99t enough to keep them from using him it was when trump came on the scene.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n447,10/26/2020,pelosi dismisses talk of trump compromise they 'keep moving the goal post'  nancy $3t / trump $0 -&gt; nancy $3t / trump $1t -&gt; nancy $3t / trump $1.8t -&gt; nancy $3t -&gt; trump $2t now nancy $3t nancy should try movin her 'goalpost' that's how compromise works,United States of America,New York,NY,Donald Trump,0,-0.3\r\n448,10/26/2020,pence staff hit by covid-19 outbreak as biden says trump has surrendered to pandemic - reuters potus trump politicalparties,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n449,10/26/2020,petebuttigieg akilahbacy bucyfortexas natalifortexas lorenzofortexas celinafortexas trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n450,10/26/2020,philly trump trumpcrimefamily,United States of America,Florida,FL,Donald Trump,2,0\r\n451,10/26/2020,pittsburghpg show some courage discuss hunter bidens wealth of corruption info on his laptop if this was any trump we\xe2\x80\x99d see it more than a joebiden commercial,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n452,10/26/2020,please read this. a vote for trump is a vote against your own self-interests.,United States of America,Indiana,IN,Donald Trump,0,-0.3\r\n453,10/26/2020,politcs   covid trump biden usa democrats republicans truth wow blogger daily libertarian time tumblr instalove news corona,United States of America,Illinois,IL,Donald Trump,1,0.2\r\n454,10/26/2020,politicopulse hhsgov is grappling with low morale and a wave of recent departures raising fears of many more defections before inaugurationday if trump loses re-election.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n455,10/26/2020,poll watchers can not interfere with a citizens right to vote. your armed militia is illegal in 50 states. trump should be arrested for inciting civil disobedience,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n456,10/26/2020,popefrancis vs donaldtrump  all the pontiff\xe2\x80\x99s veiled jabs in new doc \xe2\x80\x98francesco \xe2\x80\x99,United States of America,California,CA,Donald Trump,2,0\r\n457,10/26/2020,president trump is returning to central florida before the election. a rally is planned for weds in daytona beach. fox35orlando fox35 details,United States of America,Florida,FL,Donald Trump,2,0\r\n458,10/26/2020,president trump was hospitalized with covid-19. why aren't you wearing a mask 12 reasons for.  covid19 facemask trump pandemic covididiots savealife politicians noendinsight blog blogger,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n459,10/26/2020,pro trump political advertisement targeting fear. poll politics trending vote2020 ivoted news,United States of America,California,CA,Donald Trump,0,-0.4\r\n460,10/26/2020,projectlincoln lincolnsbible trump agonistes an american epic in three acts - a 10000 word essay on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,2,0\r\n461,10/26/2020,quentindempster therese_rein turnbullmalcolm mrkrudd newyorkpost just endorsed trump i wonder who owns it news corp.,United States of America,Nevada,NV,Donald Trump,0,-0.1\r\n462,10/26/2020,rapper lilpump endorsed trump for re-election in a profanity laced tirade on instagram last night. \xe2\x80\x9call i gotta day is trump 2020 b**** f*** sleepy joe n***a f*** i look like paying an extra 33 in taxes for biden b**** a** n***a f*** sleepyjoe trump2020 b****\xe2\x80\x9d,United States of America,Minnesota,MN,Donald Trump,0,-0.8\r\n463,10/26/2020,read this from asharangappa_. one of the many terrifying things if trump wins reelection is the control he'll have over federal law enforcement. he's already shown he's able to put yes men in the doj and in charge of intelligence. trump must lose. vote,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n464,10/26/2020,realdailywire it\xe2\x80\x99s only fair since donaldtrump is running against hillaryclinton again \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,New York,NY,Donald Trump,0,-0.6\r\n465,10/26/2020,realdonaldtrump cindyhydesmith anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n466,10/26/2020,realdonaldtrump cindyhydesmith anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n467,10/26/2020,realdonaldtrump cindyhydesmith anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n468,10/26/2020,realdonaldtrump donaldtrump blackman blacklivesmatter fuckyourfeelings lildick  atlanta georgia,United States of America,Georgia,GA,Donald Trump,1,0.4\r\n469,10/26/2020,realdonaldtrump donaldtrump continues his coronavirus policy of downplaying &amp; suppressing information from american public while he &amp; whitehouse hide behind their world class taxpayers provided medical plan &amp; trying to kill obamacare for everyone else votebiden,United States of America,California,CA,Donald Trump,0,-0.7\r\n470,10/26/2020,realdonaldtrump donaldtrump is a whinner. 60minutesinterview whinerinchief blamerinchief,United States of America,California,CA,Donald Trump,2,0\r\n471,10/26/2020,realdonaldtrump donaldtrump mikepence trumppence2020 \xe2\x80\x9cit is what it is\xe2\x80\x9d that\xe2\x80\x99s victimhood mentality not leadership votebiden bidenharris2020 vote2020,United States of America,California,CA,Donald Trump,0,-0.7\r\n472,10/26/2020,realdonaldtrump for impeachmentday we should have covid19 safe parades in all states celebrating the flush of trump because bluetsunami2020 is near,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n473,10/26/2020,realdonaldtrump i wonder if trump would have walked out on the 60minutes interview if the reporter had been male he is deeply threatened by strong females and needs to bully them. trumpmeltdown,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n474,10/26/2020,realdonaldtrump i\xe2\x80\x99m not sure i am prepared to vote for someone who gives credence to far flung conspiracy theories. we need rational leaders who defer to science &amp; data &amp; to intelligence professionals. trump puts more faith in fringe websites of dubious provenance possibly of russian origin,United States of America,California,CA,Donald Trump,0,-0.5\r\n475,10/26/2020,realdonaldtrump leslie stahl destroyed anything that was left of trump's  political career last night. 60minutes lesliestahl lesliestahlmadetrumpcry donaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n476,10/26/2020,realdonaldtrump leslie stahl destroyed anything that was left of your  political career last night. 60minutes lesliestahl lesliestahlmadetrumpcry donaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n477,10/26/2020,realdonaldtrump love our potus45 trump2020 maga i love trump thispresident is the bestpresidentever,United States of America,Illinois,IL,Donald Trump,1,0.9\r\n478,10/26/2020,realdonaldtrump make americans spreaders again trump trumpislosing,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n479,10/26/2020,realdonaldtrump on 60minutes is killing it trump2020 trump,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n480,10/26/2020,realdonaldtrump secpompeo trump sanctionturkey recognizeartsakh,United States of America,California,CA,Donald Trump,1,0.1\r\n481,10/26/2020,realdonaldtrump secpompeo whnsc they broke the agreement in 45min and that cockroach rterdogan said trump ain\xe2\x80\x99t gonna do shit. they using us tax dollars to commit war crimes and genocide sanctionturkey sanctionaliyev erdoganhitler artsakhisarmenia,United States of America,California,CA,Donald Trump,0,-0.8\r\n482,10/26/2020,realdonaldtrump song_title trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n483,10/26/2020,realdonaldtrump there are 8 days left for republican officials &amp; former members of the trump administration to publicly rebuke the president after election day you will own your collaboration &amp; your silence forever your legacy &amp; integrity are at stake history remembers,United States of America,California,CA,Donald Trump,0,-0.7\r\n484,10/26/2020,realdonaldtrump thoughts and prayers to mikepence\xe2\x80\x99s staff as they battle the coronavirus. and to all those who choose to attend trump rallies i wish you blessings &amp; hope you stay healthy. covid is no joke &amp; no hoax,United States of America,California,CA,Donald Trump,1,0.5\r\n485,10/26/2020,realdonaldtrump trump i will spend \xe2\x80\x9cwhatever it takes\xe2\x80\x9d to keep me or my family from being investigated and possibly arrested too. nothing like presidential immunity. we see you trump,United States of America,Hawaii,HI,Donald Trump,0,-0.4\r\n486,10/26/2020,realdonaldtrump trump is such a bully idiot dumb hack and a conman  i'll never understand why anybody would support such a low life of a human being trumpislosing trump trumpisnotamerica,United States of America,New York,NY,Donald Trump,0,-0.8\r\n487,10/26/2020,realdonaldtrump vote like our lives depend on it  anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,2,0\r\n488,10/26/2020,realdonaldtrump vp mike pence is an essential worker so he's exempt from quarantining that's hilarious he's not now &amp; never has been essential. and only you would deem his campaigning essential work while covid19 is so fucking out of control trump pencesuperspreader,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n489,10/26/2020,realdonaldtrump walking off the 60 minutes interview shows that trump is a whiny little loser.  ivankatrump donaldjtrumpjr  loser whiny incompetent pathologicalliar trumpislosing trumpisalaughingstock dumptrump dumptrump2020,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n490,10/26/2020,realdonaldtrump was his typical nasty self and walked out of an interview with lesley stahl of 60minutes because he  wasn\xe2\x80\x99t happy with a few basic questions asked of him. seeing the interview with trump\xe2\x80\x99s surly responses it was clear that trump just didn\xe2\x80\x99t wish to be there,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n491,10/26/2020,realdonaldtrump we are all practicing to forget you as soon as possible george i mean donald trump trump2020 trumpvirus maga2020 kag2020 kag maga,United States of America,California,CA,Donald Trump,0,-0.4\r\n492,10/26/2020,realdonaldtrump wow \xf0\x9f\x98\xb3... finally one media outlet extends their support to realdonaldtrump ... \xf0\x9f\x99\x8f\xf0\x9f\x99\x8f\xf0\x9f\x99\x8f trump is winning and he is winning big,United States of America,California,CA,Donald Trump,1,0.5\r\n493,10/26/2020,really pathetic.  donaldtrump is severely mentally disabled.   60minutesinterview trumpadisaster caught redhanded in a lie he still lies,United States of America,New York,NY,Donald Trump,0,-0.8\r\n494,10/26/2020,remember kids a vote for trump is a vote for jarvanka votebidenharris2020,United States of America,Missouri,MO,Donald Trump,2,0\r\n495,10/26/2020,right. because all of us can't wait for four more years of your lies and shit that was sarcasm trump you tonedeaf fuck,United States of America,California,CA,Donald Trump,0,-0.2\r\n496,10/26/2020,rightwingwatch she\xe2\x80\x99s sure as hell got that last bit right we have definitely not deserved trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n497,10/26/2020,robbbrown328 realdonaldtrump and how were they able to shut it down as trump says and we can\xe2\x80\x99t  competence why are we leading the world in people testing positive,United States of America,New York,NY,Donald Trump,0,-0.7\r\n498,10/26/2020,russian foreign service agents spies working in the trump campaign and with the republican party leadership  mean that one political party in america is essentially a double agent working against america. be american vote democrat.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n499,10/26/2020,rvat2020 daym straight. look at the deep stock market decline today. look at the surge of coronavirus in our country as of this past weekend. listen to donaldtrump deny it destroy the economy deny any stimulus package to help people and call it all a hoax \xf0\x9f\x99\x84 blametrump biden,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n500,10/26/2020,rwpusa senatemajldr trump agonistes an american epic in three acts - a 10000 word essay on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,2,0\r\n501,10/26/2020,sally_field we voted early in ohio to restore our nation\xe2\x80\x99s standing in the world &amp; at home which trump destroyed.  hopefully we\xe2\x80\x99ll change the occupants of the  whitehouse. if not we\xe2\x80\x99ll keep voting until we achieve a more united usa &amp; the world.,United States of America,Ohio,OH,Donald Trump,2,0\r\n502,10/26/2020,schweizer biden family deals 'only happened' when biden 'became a central player' in foreign policy  via breitbartnews trump joebiden hunterbiden maga,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n503,10/26/2020,scotus take a look at this chart of how conservative or liberal various justices have been. it\xe2\x80\x99s interesting that even scalia became much more moderate as he aged. gorsuch and cavanaugh are both more moderate than trump wanted.  barrett may surprise everyone. acb,United States of America,Florida,FL,Donald Trump,1,0.4\r\n504,10/26/2020,sebgorka trump took his kids to epstein island. enough said.,United States of America,California,CA,Donald Trump,0,-0.1\r\n505,10/26/2020,sen coons from delaware is a whiny little baby just like biden. what\xe2\x80\x99s in the water down there. he still talking about acb being confirmed as a supreme court justice. it\xe2\x80\x99s in the constitution trump has the right to do it why are they still whining grow a \xf0\x9f\x8d\x90,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n506,10/26/2020,senate set to confirm amycomeybarrett to scotus tonite. trump supremecourtconfirmation amyconeybarrettscotus,United States of America,Texas,TX,Donald Trump,2,0\r\n507,10/26/2020,senatemajldr mitchmcconnell is seemingly on the same page as trump. he\xe2\x80\x99s greedy. controlling. corrupt. cares only about his privileged pals. votehimout2020,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n508,10/26/2020,senschumer he still doesn\xe2\x80\x99t have the health care plan he\xe2\x80\x99s promised for years. a health care plan to replace a functioning aca health care plan. trump is too lazy to work and not smart enough to do it. joebyedon,United States of America,Nevada,NV,Donald Trump,0,-0.3\r\n509,10/26/2020,seriously... one of the funniest posts about trump... our toddlerinchief,United States of America,Washington,WA,Donald Trump,1,0.9\r\n510,10/26/2020,shut up trump is concerned about opening the country democratsaredestroyingamerica trumplandslide2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n511,10/26/2020,since covid_19 outbreaks keep occurring at trump event why are you people voting for him want to lose ss all healthcare have less pay for firefighters and police,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n512,10/26/2020,sleepyjoe trump maga bidencares lyinjoebiden,United States of America,New York,NY,Donald Trump,1,0.1\r\n513,10/26/2020,so did trump not think 60minutesinterview lesliestahl lesleystahl would look inside the binder good lord the casual deception and lies.. these people are sickos. kayleighmcenany,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n514,10/26/2020,so fresh so clean clarksville tn ky hope love green machine bee money trump usa vintagecocacola sign yoga namaste kregjig blue dewalt minwax moon pose tool apple fishing trout bass pizza,United States of America,Tennessee,TN,Donald Trump,1,0.6\r\n515,10/26/2020,so fresh so clean clarksville tn ky hope love green machine bee money trump usa vintagecocacola sign yoga namaste kregjig blue dewalt minwax moon pose tool apple fishing trout bass pizza,United States of America,Tennessee,TN,Donald Trump,1,0.6\r\n516,10/26/2020,so let me get this straight. the affordablecareact was introduced and signed into law march 23 2010. 2nd year of presidentobama administration. it took barackobama 2 years to put it together compared with nothing from donaldtrump but a paperweight &amp; empty promises at 4yrs.,United States of America,California,CA,Donald Trump,0,-0.2\r\n517,10/26/2020,so much losing under trump nevermind the stock market 220k+ americans have lost their lives. 220k+ families have lost people they loved dearly.,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n518,10/26/2020,so over 16 million saw trump embarrass himself and our country a childish immature whining asshole that cried because lesliestahl asked him tough questions.  and his baby is supposed to be president,United States of America,New York,NY,Donald Trump,0,-0.5\r\n519,10/26/2020,something i love about president trump is that he never shortchanges a rally crowd. he knows he needs to be back in dc in a couple of hours for the amyconeybarrett confirmation but he's  fully enjoying talking to pennsylvania patriots right now,United States of America,Florida,FL,Donald Trump,1,0.3\r\n520,10/26/2020,sooo here's the stick to trump &amp; off my bs bidenharris strategy for the final 8 days. this is not moving any needles. not 1. but these cheaters considering that kamalaharris broke laws on electioneering &amp; having tried to kick greenpartyus off ballots are predictable.,United States of America,California,CA,Donald Trump,0,-0.5\r\n521,10/26/2020,speakerpelosi coming from pelosi and the wapo its probably something wasting taxpayers money unfair and needs tweaking or trump wouldn't be signing to correct it.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n522,10/26/2020,stay home enough i'm walking out  cnn realdonaldtrump foxnews la sandiego sanfrancisco dobbs seattle portland ca la detroit seattle beer snl fl pa ca mi pa ny trump,United States of America,California,CA,Donald Trump,0,-0.3\r\n523,10/26/2020,stephen_taylor because halloween disguised canada as a trump supporter.,United States of America,Vermont,VT,Donald Trump,0,-0.6\r\n524,10/26/2020,suescoby baby...lesliestahl tickled trump and pence w/a feather. noraodonnell and that liberal/socialist bs gop meme and the condescending raised eyebrow w/joe was literally predictable. i'm so glad kamala snapped back w/that just to button things up nonsense...gawd,United States of America,New York,NY,Donald Trump,0,-0.2\r\n525,10/26/2020,surprised trump lies. period.,United States of America,California,CA,Donald Trump,0,-0.4\r\n526,10/26/2020,susanpage usatoday wwcummings headline is misleading and biden is in the driver seat to win. as covid spikes to record levels the polling numbers for trump look really bad and the changes are in the margin of error.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n527,10/26/2020,swatlashoover rondesantisfl scottatlasisamurderer votersuppression vote biden harris covid19 trump monday trumpcollapse trumpislosing realdonaldtrump swatlashoover gop,United States of America,California,CA,Donald Trump,1,0.1\r\n528,10/26/2020,ted cruz just claimed that trump didn't promise to cut the federal debt. but eliminating it was a major part of the president's 2016 campaign \xe2\x80\x94 and he hasn't come close. whitehouse politics trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n529,10/26/2020,thank you for this great piece of information  listen up everybody  if you regret having voted for trump and who could blame you you can undo it in at least three states  here's your chance to vote for joebiden,United States of America,New York,NY,Donald Trump,1,0.8\r\n530,10/26/2020,thank you president donaldtrump,United States of America,California,CA,Donald Trump,1,0.8\r\n531,10/26/2020,thanks michelleobama for ruining my campaign trump trumpislosing trumpmeltdown trump2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n532,10/26/2020,that face \xf0\x9f\x99\x84 you make when you hear a democrat or liberal say trump is not president. newsflash realdonaldtrump has been your president and will continue to be your president for 4moreyears after the people vote on electionday,United States of America,New York,NY,Donald Trump,0,-0.1\r\n533,10/26/2020,that fat fcuking fascist in the white house is heading home on november 3rd he will be voted out by a landslide ichooseamerica trumpislosing trump trumpisalaughingstock traitortrump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n534,10/26/2020,the fact that trump has continued to host rallies without requiring masks is shameful. there is no excuse for this behavior none. trump just didn't want to require masks because in his twisted head he thought it made him look weak. pathetic.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n535,10/26/2020,the human species can be judged by how we treated each other and planet earth i.e. the golden rule. your vote dictates dividedstatesofamerica dsa vs. usa . please choose wisely for the common good. everything depend on it trump pence vs. bidenharris2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n536,10/26/2020,the media should quit even suggesting trump has a healthcare plan. it's not true. stop abetting this pathological liar. how many lies are needed. just say trump has repeatedly lied for years in not delivering a plan as he works to gut obamacare.,United States of America,Oregon,OR,Donald Trump,0,-0.8\r\n537,10/26/2020,the messy politics of nextdoor  via voxdotcom news nextdoorpolitics misinformation voting election2020 2020election gop trump trumplies gopcorruptionovercountry trumpislosing bidenharris bidenharris2020landslide bidenharris2020 landslide,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n538,10/26/2020,the monster that is donaldtrump has called kamalaharris incompetent; that\xe2\x80\x99s hilarious he can barely read; he paid someone to take his sats and threatened all his schools if they released his grades  if only they had we would have seen he\xe2\x80\x99s been a failure all his life.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n539,10/26/2020,the more the days where on the more anxious i am becoming. i woke up realizing that if joebiden doesn\xe2\x80\x99t win. if we can\xe2\x80\x99t make the impossible happen then this is america\xe2\x80\x99s last election. trump won\xe2\x80\x99t hold another one. wokeaf,United States of America,New York,NY,Donald Trump,0,-0.2\r\n540,10/26/2020,the old wild west marijuana sales man  cnn realdonaldtrump foxnews la sandiego sanfrancisco dobbs seattle portland ca la detroit seattle beer snl fl pa ca mi pa ny trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n541,10/26/2020,the old wild west marijuana sales man  cnn realdonaldtrump foxnews la sandiego sanfrancisco dobbs seattle portland ca la detroit seattle beer snl fl pa ca mi pa ny trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n542,10/26/2020,the only pathetic candidates in this election are trump &amp; the republicans in congress. they are all traitors,United States of America,New York,NY,Donald Trump,0,-0.4\r\n543,10/26/2020,the petulant child trump nothing but a weak narcissist crybaby.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.9\r\n544,10/26/2020,the thing that gets me about old people who vote for trump. you grew up during wwii maybe even fought and you\xe2\x80\x99re thinking is \xe2\x80\x9ci\xe2\x80\x99m going to vote for the nazi fan who made germany the leader of the free world.\xe2\x80\x9d,United States of America,California,CA,Donald Trump,1,0.2\r\n545,10/26/2020,the two americas financing the trump and biden campaigns,United States of America,New York,NY,Donald Trump,2,0\r\n546,10/26/2020,the wolfman joe show day 9 hunterslaptopfromhell hunterbiden hunterbidenvideos gtv usa gfvip arslei cnn trump,United States of America,New York,NY,Donald Trump,2,0\r\n547,10/26/2020,the_right_field i feel like my favorite team is in the super bowl and we are tied with 2 minutes to go in the 4th quarter. butterflies election2020 trump biden maga,United States of America,Tennessee,TN,Donald Trump,1,0.5\r\n548,10/26/2020,thealexvanness seanmdav maybe he meant george bailey itsawonderfullife trump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n549,10/26/2020,thehill trump agonistes an american epic in three acts - a 10000 word essay on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,2,0\r\n550,10/26/2020,thehill yeah cause  we want to fail that\xe2\x80\x99s what we strive to do..... votehimout2020 trump whitehousevirus  jaredkushner republicanforbiden,United States of America,Tennessee,TN,Donald Trump,0,-0.3\r\n551,10/26/2020,thekjohnston ignorance always has anger issues. deep down they know they\xe2\x80\x99re wrong and stupid. maga trump2020 trumpislosing donaldtrump. donaldtrumplandslideembarassment joebidenkamalaharris2020,United States of America,California,CA,Donald Trump,0,-0.2\r\n552,10/26/2020,there are rumors that trump does have a double for certain agendas...lol a mini-trump,United States of America,Colorado,CO,Donald Trump,0,-0.3\r\n553,10/26/2020,there is biden yelling again during his 10-minute press conference.  potus trump churchbells democrat republican biden,United States of America,North Carolina,NC,Donald Trump,0,-0.3\r\n554,10/26/2020,therickwilson lol lol lol lollypop looneytoons  trump,United States of America,Nebraska,NE,Donald Trump,2,0\r\n555,10/26/2020,therickwilson trump is in a continual temper-tantrum.   he is humpty-dumpty in a panic mode.,United States of America,California,CA,Donald Trump,0,-0.4\r\n556,10/26/2020,therickydavila trump is indeed a predator as every sociopath antisocial psychopath is.,United States of America,California,CA,Donald Trump,0,-0.8\r\n557,10/26/2020,thetripp21 furkyourwurk joyannreid that\xe2\x80\x99s right. trump is a sociopath,United States of America,California,CA,Donald Trump,2,0\r\n558,10/26/2020,they said a lot of things trump has accomplished couldn't be done. that's why they're pissed. all_israel_news,United States of America,Nevada,NV,Donald Trump,0,-0.3\r\n559,10/26/2020,they seem to know when its over. they know that now they will need to deal with biden...what better way can you have to get along with a probable biden admin than to denounce trump now.,United States of America,Colorado,CO,Donald Trump,0,-0.3\r\n560,10/26/2020,thingsyouneverhearsaidabouttrump \xe2\x80\x9che took that good naturedly. \xe2\x80\x9c. trumphothead trump trumpisalaughingstock,United States of America,New York,NY,Donald Trump,1,0.1\r\n561,10/26/2020,this couldn\xe2\x80\x99t get any more stupid could it seriously. this is the clown car that we have running this country it\xe2\x80\x99s throw up level awful. trumpisaloser 60minutesinterview trump,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n562,10/26/2020,this election is literally going to be the death of the republican party. thanks trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n563,10/26/2020,this is awful truly sad what is happening in our country. wake the fk up people trump is purposely infecting you trying to kill as many americans from the inside for putin how do you magats not see this americawakeup americaortrump trumplandslide2020 \xf0\x9f\x96\x95\xf0\x9f\x8f\xbd covid19,United States of America,Massachusetts,MA,Donald Trump,0,-0.8\r\n564,10/26/2020,this is neither accurate or relevant trumpislosing trump2020landslide trumpisacoward trumphascovid trumplandslide2020 trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n565,10/26/2020,this is what trump supporters look like. trumpisalaughingstock americaortrump trumpsupporters trumpcampaign gop gopcomplicittraitors gopcorruptionovercountry,United States of America,Minnesota,MN,Donald Trump,0,-0.1\r\n566,10/26/2020,this is who trump is a bully; a misogynist; a whiner; and a loser. votehimout,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n567,10/26/2020,this map of trump and biden donors is even more divided than the electoral map,United States of America,California,CA,Donald Trump,0,-0.5\r\n568,10/26/2020,this mask-less trump voter is a weak &amp; vulgar man who\xe2\x80\x99s lost his cajones &amp; makes himself feel better by verbally assaulting teens.trump wails on those against him &amp; aligns himself w/tyrants to appear strong hiding his own insecurities as a man. real men support bidenharris2020,United States of America,Michigan,MI,Donald Trump,0,-0.1\r\n569,10/26/2020,this thread every bit of it... but of course krystalball or foxnews will pretend biden called trump george today rather than actually calling george lopez by his name.,United States of America,California,CA,Donald Trump,0,-0.5\r\n570,10/26/2020,this woman still can\xe2\x80\x99t get over her kiss to realdonaldtrump listen honey no jen cares what you woulda coulda and might of done. we didn\xe2\x80\x99t elect you. and he\xe2\x80\x99s winning \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 4 more years hillaryclinton we love our president trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n571,10/26/2020,three key factors make 2020 unlike 2016 in favor of biden 1 his polling is better than clinton 2 the right track/wrong track deficit works in his favor &amp; 3 his team is running a much much better campaign. election2020 trump thehill,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n572,10/26/2020,titulares de lunes 26 de octubre de 2020 en noticias 23 alamanecer por .univision23 con jhernandezu23 karencintrontv y gastonherediatv cuba venezuela colombia elecciones2020  donaldtrump joebiden debates2020 destino2020 amycomeybarrett covid19 chile leopoldolopez,United States of America,Florida,FL,Donald Trump,1,0.2\r\n573,10/26/2020,tommyt1102 bare_roncarol seanhannity trump,United States of America,Tennessee,TN,Donald Trump,2,0\r\n574,10/26/2020,tonight judge amy coney barrett will be at the white house with president trump. watch it on foxnews trump2020 amycomeybarrett trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n575,10/26/2020,tonight probably new 'justice' on scotus so that's why gop is going back once again to ask scotus supreme court of the united states to stop the count early ncarolina pennsylvania litigation = trump's plan supremecourt gopcomplicittraitors gopcorruptionovercountry,United States of America,Arizona,AZ,Donald Trump,0,-0.5\r\n576,10/26/2020,tpes morningpoliticalthought pelosi aoc nypost chriscuomo harveyweinstein bail schumer acb scotus biden georgewbush jewish trump debates2020 maga2020 trump2020 vote2020 parler parlerusa,United States of America,California,CA,Donald Trump,2,0\r\n577,10/26/2020,tribelaw trump behaved like a man baby.  what kind of leader is this,United States of America,California,CA,Donald Trump,0,-0.5\r\n578,10/26/2020,trish_regan riiight absurd 60minutesinterview just blink away lyingjoebiden lies \xe2\x80\x94 in comparison the trump interview was so beyond ridiculous. every answer he gave stahl wld start arguing with him endlessly badgering him &amp; arguing with him like an angry girlfriend. despicable.,United States of America,California,CA,Donald Trump,0,-0.8\r\n579,10/26/2020,truefactsstated meidastouch trump agonistes an american epic in three acts - a 10000 word essay on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,2,0\r\n580,10/26/2020,trump,United States of America,Arizona,AZ,Donald Trump,2,0\r\n581,10/26/2020,trump,United States of America,California,CA,Donald Trump,2,0\r\n582,10/26/2020,trump,United States of America,Colorado,CO,Donald Trump,2,0\r\n583,10/26/2020,trump,United States of America,Texas,TX,Donald Trump,2,0\r\n584,10/26/2020,trump,United States of America,Texas,TX,Donald Trump,2,0\r\n585,10/26/2020,trump ad snips biden\xe2\x80\x99s comments on taxes out of context  this is where trump will take advantage of the ill-informed and ignorant voter. go joebiden let's get rid of this despicable person acting as potus,United States of America,North Carolina,NC,Donald Trump,0,-0.8\r\n586,10/26/2020,trump aide \xe2\x80\x98we\xe2\x80\x99re not going to control the pandemic\xe2\x80\x99  trump asshole p2 usa vote vote2020 voteblue2020 gop covid covid19 republicans republicansforbiden republicansagainsttrump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n587,10/26/2020,trump and economics in the gospels \xe2\x80\x93 taxes  economics trump lincolnproject biden foxnews christiansagainsttrump christian christians evangelicalsfortrump,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n588,10/26/2020,trump anthonyfauci now all agree on coronavirus vaccine $azn $spy $qqq,United States of America,California,CA,Donald Trump,0,-0.4\r\n589,10/26/2020,trump attacks media for focusing on covid as cases continue to climb election2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n590,10/26/2020,trump bidenharrislandslide2020 christiansagainsttrump bidenharris2020 trumplied200kdied,United States of America,California,CA,Donald Trump,2,0\r\n591,10/26/2020,trump campaign takes over youtube masthead with 7-figure ad buy politicalviews trump politicalparties,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n592,10/26/2020,trump claims covid-19 is \xe2\x80\x98going away\xe2\x80\x99 while biden tells americans \xe2\x80\x98dark winter\xe2\x80\x99 is coming.  covid19 trump biden,United States of America,New York,NY,Donald Trump,0,-0.2\r\n593,10/26/2020,trump collapse,United States of America,Ohio,OH,Donald Trump,1,0.1\r\n594,10/26/2020,trump continues his negative propaganda campaign. no facts just spew hate divisiveness and lies. undecidedvoters and republicans don\xe2\x80\x99t believe that garbage you know what\xe2\x80\x99s right vote your heart vote your conscience not trumpslies voteblue2020 saveamerica,United States of America,Washington,WA,Donald Trump,0,-0.9\r\n595,10/26/2020,trump continues to try and claim biden made a huge mistake by saying he wants to transition away from fossilfuels oil. that\xe2\x80\x99s no bombshell and no secret. america &amp; the rest of the world have been trying to transition away from oil for decades. so what trumplies voteblue,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n596,10/26/2020,trump couldn't put a plan together if his life depended on it. unfortunately too many american lives have been lost as well...,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n597,10/26/2020,trump election win is best case for stocks jpmorgan  $dln $iwx $schv $vtv $prf $ive $voov $mgv $vonv $iusv $ivv $spy $qqq $dia $vti $vyn $rsp $jpm maga2020,United States of America,California,CA,Donald Trump,0,-0.2\r\n598,10/26/2020,trump fighting trump in 60minutes interview \xf0\x9f\x91\x87\xf0\x9f\x91\x87\xf0\x9f\x91\x87,United States of America,Massachusetts,MA,Donald Trump,1,0.2\r\n599,10/26/2020,trump floats baseless conspiracy that hospitals get more money if they report more covid related fatalities..trump..gop..covid19..,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n600,10/26/2020,trump got left on read,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n601,10/26/2020,trump has given up helping the country. accept that. he will leave us in a shit state with cases and deaths. if you think that\xe2\x80\x99s ok then vote for the madman. a shameful president,United States of America,Nevada,NV,Donald Trump,0,-0.6\r\n602,10/26/2020,trump has no healthcare plan his only plan is to repeal obamacare before he get's kicked out of the whitehouse. he could care less about the millions loosing there insurance and have to deal with preexistingconditions. the trumpcrimefamily has wealthinsurance.,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n603,10/26/2020,trump has no \xe2\x80\x98comprehensive healthcare plan\xe2\x80\x99  trump trumpadministration healthcare election2020,United States of America,New York,NY,Donald Trump,0,-0.7\r\n604,10/26/2020,trump has the personality of an evil peter griffin...,United States of America,Colorado,CO,Donald Trump,0,-0.9\r\n605,10/26/2020,trump he will be the first to be fired after the elections.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n606,10/26/2020,trump is a coward and a bully,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n607,10/26/2020,trump is a russian traitor.,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n608,10/26/2020,trump is compromised. \xf0\x9f\x91\x80\xf0\x9f\x91\x87,United States of America,New York,NY,Donald Trump,0,-0.2\r\n609,10/26/2020,trump is in the pocket of bigcovid,United States of America,New York,NY,Donald Trump,0,-0.1\r\n610,10/26/2020,trump is playing a campaign ad featuring clips of biden being pro-china and waffling on fracking. these clips are terribly edited together. like you can tell where they cut out parts of his sentences to make the clips say what donnie wants him to have said.,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n611,10/26/2020,trump is racist corruptandcomplicitgop criminalnegligence senatemajldr,United States of America,New York,NY,Donald Trump,2,0\r\n612,10/26/2020,trump is racist. votehimout,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n613,10/26/2020,trump is the greatest at trolling the media and their fakenews \xf0\x9f\xa4\xa3,United States of America,California,CA,Donald Trump,1,0.4\r\n614,10/26/2020,trump is truly bitch made all of his supporters are bitch made the entire gop and republicans are bitch made and any and all blacksfortrump and latinosfortrump are bitch made,United States of America,Georgia,GA,Donald Trump,0,-0.9\r\n615,10/26/2020,trump jaredkushner blacks trealdaily news thx worldnews blm obama in trealgear is dope blameitonthedrugs breastcancer pink  northside of flint,United States of America,Michigan,MI,Donald Trump,1,0.6\r\n616,10/26/2020,trump just keeps liesafterlies and the maga koolaid drinkers keep going to the well why wtf trumpisanationaldisgrace please america vote of bidenharris2020,United States of America,California,CA,Donald Trump,0,-0.8\r\n617,10/26/2020,trump likes to negotiate these deals one at a time. it\xe2\x80\x99s trade policy by press release and often there\xe2\x80\x99s nothing behind the press release\xe2\x80\x9d said robert scott senior economist with the economicpolicyinst.,United States of America,Washington,WA,Donald Trump,0,-0.1\r\n618,10/26/2020,trump mocks biden to pennsylvania crowd over oil comment 'he blew it',United States of America,California,CA,Donald Trump,0,-0.4\r\n619,10/26/2020,trump niega haber renunciado a la lucha contra el coronavirus,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n620,10/26/2020,trump on 60minutes is a total shit show. what an absolutely mind numbing disgrace. votehimout vote,United States of America,South Carolina,SC,Donald Trump,0,-0.5\r\n621,10/26/2020,trump owns the high covid rates across the country.   to claim success in the fight against covid is to lie to the american people.,United States of America,California,CA,Donald Trump,0,-0.5\r\n622,10/26/2020,trump redwave2020,United States of America,Kentucky,KY,Donald Trump,2,0\r\n623,10/26/2020,trump revives 'sleepy joe' attacks but gets the facts wrong trump lies  via yahoo,United States of America,Nevada,NV,Donald Trump,0,-0.6\r\n624,10/26/2020,trump stuns pulls up scorching video of harris\xf0\x9f\xa4\xa1and biden\xf0\x9f\xa4\xa1 on giant scree...  via youtube,United States of America,New York,NY,Donald Trump,0,-0.2\r\n625,10/26/2020,trump super recovery gtfoh \xf0\x9f\xa4\xa1 thereidout,United States of America,District of Columbia,DC,Donald Trump,1,0.2\r\n626,10/26/2020,trump targets kamala harris  trump kamalaharris election2020,United States of America,New York,NY,Donald Trump,2,0\r\n627,10/26/2020,trump team just announced its surrender to the covid-19 pandemic.  covid19 coronavirus pandemic,United States of America,Nevada,NV,Donald Trump,2,0\r\n628,10/26/2020,trump the personification of megalomaniacal and being thin skinned.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n629,10/26/2020,trump to suburbanwomen  i will save you from the ________s. you know who i mean. i can't say the word or the media will be all over me...but you know who i mean,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n630,10/26/2020,trump tries to attack hunter biden  hunterbiden trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n631,10/26/2020,trump trump2020,United States of America,New York,NY,Donald Trump,2,0\r\n632,10/26/2020,trump trump2020 borat trumprally trumpisalaughingstock,United States of America,New York,NY,Donald Trump,2,0\r\n633,10/26/2020,trump trump2020 i'm blocking out the blue for a reason trump2020landslide,United States of America,New York,NY,Donald Trump,0,-0.6\r\n634,10/26/2020,trump tweets if biden is elected he will delay the vaccine with stupid testing to make sure it works who cares as long as the dummies think it works as long as it has an impressive name like fluendathal as long as i get full credit for it as long as  i get it,United States of America,California,CA,Donald Trump,0,-0.5\r\n635,10/26/2020,trump was such a little bitch omg. he can\xe2\x80\x99t even handle questions on 60 minutes of course he can\xe2\x80\x99t handle putin trumpsthebiggestliarever vote,United States of America,California,CA,Donald Trump,0,-0.8\r\n636,10/26/2020,trump what a coward,United States of America,New York,NY,Donald Trump,0,-0.9\r\n637,10/26/2020,trump's amerikkka votehimout2020 votebluedownballot votebidenharristosaveamerica votebiden,United States of America,New York,NY,Donald Trump,2,0\r\n638,10/26/2020,trump's chief of staff argued that covid-19 cases on mike pence's team should be concealed continuing a trend of secrecy in the white house..trump..gop..covid19..,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n639,10/26/2020,trump.........wow look at what those putin russian meds did lmaooooooo,United States of America,New York,NY,Donald Trump,0,-0.2\r\n640,10/26/2020,trump........monsieur trumpy you look soooooo different lmaoooooooo,United States of America,New York,NY,Donald Trump,0,-0.4\r\n641,10/26/2020,trump...wow trump has been given the fcuk you finger from both rbg &amp; lincoln omg lmaoooo,United States of America,New York,NY,Donald Trump,0,-0.1\r\n642,10/26/2020,trump2020 trump2020landslide americafirst trump maga kag voteredtosaveamerica arizona,United States of America,Arizona,AZ,Donald Trump,2,0\r\n643,10/26/2020,trumpcrimefamilyforprison member jared the kush needs to pay a severe price for his slavish loyalty to fuhrertrump everyone in the us has been deemed expendable as long as trump and his covidiot minions could enrich themselves,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n644,10/26/2020,trumpisalaughingstock trumpislosing  trumpiscompromised  trump biden bidenharris2020  joewillleadus covid19 trumpcrimefamily rudyisarussianasset  boratsubsequentmoviefilm donaldtrumpjr trumpmeltdown sixtyminutes pencesuperspreader gopcorruptionovercountry hannity,United States of America,Illinois,IL,Donald Trump,2,0\r\n645,10/26/2020,upcoming stories current news and getting ahead dailybuzz lordstownmotors trump biden juniorachievement schwebel'sbakingco. gettingahead,United States of America,Ohio,OH,Donald Trump,1,0.2\r\n646,10/26/2020,usa biden trump election rt,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n647,10/26/2020,usatoday and we can soon add this to the list of those debunked stories. its 4 years of hate campaign against trump. sad.,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n648,10/26/2020,victoriabaldas2 marcshort is expected to make a full ready and this can\xe2\x80\x99t be good for vp mike_pence because i was watching 60minutes last night and pence told lesleystahl about the covid\xe3\x83\xbc19 crisis at the whitehouse after his partner in crime trump abruptly left the interview.,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n649,10/26/2020,vote for trump when in doubt shoot them take not on sleepy saddam hussein was to the h1n1 swine.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n650,10/26/2020,votehimout2020 phuck trump,United States of America,New York,NY,Donald Trump,2,0\r\n651,10/26/2020,wait i thought donaldtrump said this only comes out of mexico,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n652,10/26/2020,walshfreedom you think they think he's a tough son of a b**** or they could just be scared because they know what he is capable of. trump cult,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n653,10/26/2020,wapo reported retired gen. stanleymcchrystal helping democrats fight trump with artificial intelligence once used to combat isis\xe2\x80\x94but now deployed by defeatdisinfo group to defeat donaldtrump &amp; maga. nineteeneightyfour is staring you in the face\xf0\x9f\x95\xb5\xef\xb8\x8f\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,California,CA,Donald Trump,0,-0.3\r\n654,10/26/2020,warning to smart health conscious western pennsylvania people - stay away from these covid super spreader events. trump trumpcovid19,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n655,10/26/2020,was doing doors in reserve that is mostly democrats and came upon a trump sign the house was not on my walk list he just got his voter registration card.  but this marine was proud to join the parnellsplatoon and defend freedom along with  seanparnellusa,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n656,10/26/2020,watch 'jews for trump' caravan rolls thru new york city; punches rocks thrown potus government trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n657,10/26/2020,watch live donald trump hosts a campaign rally in lititz pennsylvania trump politics political,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n658,10/26/2020,watch live trump holds pennsylvania rally thehill,United States of America,Texas,TX,Donald Trump,2,0\r\n659,10/26/2020,watching cbs news and they are truly grasping. who believes their bs so manipulative and totally obvious trump cbsnews 60minutes,United States of America,Iowa,IA,Donald Trump,2,0\r\n660,10/26/2020,watching the 60minutesinterview with trump. he was vigorous in making his case but he still cannot resist belittling strong women who challenge him face to face.  how does this help him with women  suburban or otherwise,United States of America,Rhode Island,RI,Donald Trump,1,0.2\r\n661,10/26/2020,we cannot expect any better from ignorant right-wingers like markmeadows. he could end up in prison with his buddy   trump for conspiracy to commit involuntary manslaughter.,United States of America,Florida,FL,Donald Trump,2,0\r\n662,10/26/2020,we\xe2\x80\x99re living in the shadows of a bush v. gore 2.0  trump election2020 bidenharris2020landslide,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n663,10/26/2020,what atrocious behavior from a journalist lesleystahl donaldtrump trump2020,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n664,10/26/2020,whatever ceremony takes place should include the burning of witch-hazel and the use of witch-hazel twigs as divining rods to find sulphurated water to add to a potion of trump urine and mothers milk and essence of garlic.,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n665,10/26/2020,whatsatstake blockbarrett amyconeybarrett is an extremist trump is counting on to strike down aca during a pandemic he\xe2\x80\x99s responsible for also to help him steal this election by having scotus decide who is the next potus trying to invalidate your votes for bidenharris\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,New York,NY,Donald Trump,0,-0.8\r\n666,10/26/2020,when my teenagers were caught in a lie they ramped it up just like markmeadows trying to explain the trump approach to covid. we can control the virus; wearadamnmask avoid superspreaderevents,United States of America,Washington,WA,Donald Trump,0,-0.1\r\n667,10/26/2020,when trump accuses others notice how he looks to the left then right. it's an obvious sign that he knows he's not being truthful.,United States of America,California,CA,Donald Trump,0,-0.8\r\n668,10/26/2020,whitehouse realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n669,10/26/2020,whitehouse realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n670,10/26/2020,whitehouse realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n671,10/26/2020,whitehouse realdonaldtrump leslie stahl destroyed anything that was left of trump's  political career last night. 60minutes lesliestahl lesliestahlmadetrumpcry donaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n672,10/26/2020,whitehouse realdonaldtrump leslie stahl destroyed anything that was left of trump's  political career last night. 60minutes lesliestahl lesliestahlmadetrumpcry donaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n673,10/26/2020,whitehouse trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n674,10/26/2020,who the eff does offset think he is waving guns at trump supporters arrest his stupid ass. lapd,United States of America,North Carolina,NC,Donald Trump,0,-0.2\r\n675,10/26/2020,who's taking money from china \xf0\x9f\xa4\x94trump bidenharris2020landslide trumpislosing trumpmeltdown trumpiscompromised trumpisanationaldisgrace bidenharris2020tosaveamerica,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n676,10/26/2020,who\xe2\x80\x99s watching trump on 60 minutes  he really can\xe2\x80\x99t tell the truth about anything  lesleystahl asks a question he lies they cut to a clip where he says the thing he just lied about.  byedon2020,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n677,10/26/2020,why is it when i see this pic of trump with lilpump all that comes to mind is fara1 just wondering. mapoli down,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n678,10/26/2020,why is trump meddling in the affairs of other nations ethiopia slams \xe2\x80\x98belligerent threats\xe2\x80\x99 after trump dam comments  via ajenglish - deletetrump,United States of America,California,CA,Donald Trump,0,-0.8\r\n679,10/26/2020,windmiloncology i am a fierce critic of trump.  i started tweeting &amp; writing on medium because of him. i\xe2\x80\x99ve marched against him. now that i\xe2\x80\x99ve said where i stand i want to say that you are doing the right thing. talk to your girlfriend. ignore the shrill voices on twitter. they are toxic.,United States of America,Maryland,MD,Donald Trump,0,-0.3\r\n680,10/26/2020,wolfofmstreet profgalloway this is a popular view but in truth not very likely. their governmental contracts are all multi-year to the best of my knowledge and do not depend on trump. this is why many more palantir employees donate to biden.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n681,10/26/2020,woodinville washington. saturday. at a donaldtrump rally.,United States of America,California,CA,Donald Trump,1,0.1\r\n682,10/26/2020,wooo donaldtrump trumppence2020 covid19,United States of America,New York,NY,Donald Trump,1,0.3\r\n683,10/26/2020,wow. norahodonnell &amp; lesleyrstahl deliver a 60minutes doubleheader that will dominate the news cycle in the closing days of the election. 60minutes trump biden,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n684,10/26/2020,wow. putin just turned on trump. i\xe2\x80\x99m guessing the honeymoon\xe2\x80\x99s over \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f joebidenukrainescandal hunterbidensukrainescandal,United States of America,Texas,TX,Donald Trump,1,0.1\r\n685,10/26/2020,yea you said it trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n686,10/26/2020,yes this is what we have to deal with here when the hatful police union endorsed trump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n687,10/26/2020,you get out of the game what you put into practice. what does joebiden\xe2\x80\x99s campaign suggest about his potential presidency realdonaldtrump potus presssec biden trump election2020 electionday debates,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n688,10/26/2020,you will not hear the media talk about trump appointing more women than any other president because they hate everything he does. america feminist reality check,United States of America,California,CA,Donald Trump,0,-0.4\r\n689,10/26/2020,\xc2\xbfson \xe2\x80\x98socialistas\xe2\x80\x99 wall street y los generales por andr\xc3\xa9s oppenheimer -  evnews donaldtrump elecciones2020,United States of America,Florida,FL,Donald Trump,1,0.1\r\n690,10/26/2020,\xe2\x80\x98...  don\xe2\x80\x99t make daddy mad or he\xe2\x80\x99ll have to hit you he will have no choice and it will be your fault....\xe2\x80\x99again with the big abuser vibes.  yikes. trump,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n691,10/26/2020,\xe2\x80\x9cfail to the chief\xe2\x80\x9d donaldtrump  theview,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n692,10/26/2020,\xe2\x80\x9che likes to act tough and talk tough. he thinks scowling and being mean is tough\xe2\x80\x9d obama said at a drive-in rally in south florida. \xe2\x80\x9cbut when \xe2\x80\x9860 minutes\xe2\x80\x99 and lesley stahl are too tough for you you ain\xe2\x80\x99t all that tough.\xe2\x80\x9d trump maga,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n693,10/26/2020,\xe2\x81\xa6knaughton711\xe2\x81\xa9 will be back on \xe2\x81\xa6la_torre_live\xe2\x81\xa9 this week for our pre-election day show. on trump \xe2\x80\x9ca blackjack player will bust 62 percent of the time with a 16. can trump draw that elusive 5 card and beat biden\xe2\x80\x9d btw i always draw the 5.,United States of America,Pennsylvania,PA,Donald Trump,1,0.3\r\n694,10/26/2020,\xe2\x9a\xa1\xef\xb8\x8f \xe2\x80\x9camy coney barrett could start work at the supreme court tomorrow\xe2\x80\x9d by nytimes  why wait to start screwing over the people even the gullible ones willing to fall on the virus for trump. she's a special kind of poltroonish 53percenter. joy from pain.,United States of America,New York,NY,Donald Trump,2,0\r\n695,10/26/2020,\xf0\x9f\x93\xb7 realdonaldtrump donaldtrump blackman blacklivesmatter fuckyourfeelings lildick at atlanta georgia,United States of America,Georgia,GA,Donald Trump,2,0\r\n696,10/26/2020,\xf0\x9f\x94\xb4 live podcast 26 october 2020 on spreaker covid_19 donaldtrump,United States of America,New York,NY,Donald Trump,1,0.1\r\n697,10/27/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n698,10/27/2020,billmaher billweircnn berniesanders aoc donlemon maddow cnn msnbc thedailyshow lastweektonight secretarmy trump portlandriots portlandprotests vote starinajohnson colbertlateshow fallontonight howardstern sternshow jimmykimmel,United States of America,California,CA,Donald Trump,2,0\r\n699,10/27/2020,culturalappropriation racist racism liberal snowflake trump maga biden election2020 vote democrats,United States of America,Colorado,CO,Donald Trump,0,-0.6\r\n700,10/27/2020,donaldtrump battlerap,United States of America,New York,NY,Donald Trump,1,0.3\r\n701,10/27/2020,obama def going to run circles around maga dump trump when it comes to speaking.,United States of America,Wisconsin,WI,Donald Trump,0,-0.8\r\n702,10/27/2020,- oha releases newest covid-19 figures ...nine more deaths  covid_19 oregon pdx orpol portland beaverton lakeoswego electionday trump biden gop democrats,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n703,10/27/2020,.nytimes authors\xc2\xb4 conclusion is good synthesis of trump rubio &amp; claver-carone\xc2\xb4s policies towards latin america goal- to attempt to punish cuba; results more deaths &amp; violence/unblockcuba,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n704,10/27/2020,1. con\xe2\x80\x99t whereas trump and the republicans have not progressed the shark fin trade elimination act rescinded post- deepwaterhorizon protections ended protections rescinded protections for the seamounts protected area and so on /2,United States of America,Arizona,AZ,Donald Trump,0,-0.2\r\n705,10/27/2020,11 arrested after clashes at 'jews for trump' rally in newyork thehill,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n706,10/27/2020,220000 and counting. the blood is on trump's hands. and pence's hands and mcconnell's hands.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n707,10/27/2020,24 former us attorneys all republican and appointed by republican presidents back biden saying trump is a threat to the ruleoflaw per washingtonpost today bidenharrislandslide2020,United States of America,California,CA,Donald Trump,0,-0.6\r\n708,10/27/2020,50cent please tell me it\xe2\x80\x99s a lie that you let chelseahandler change your mind with that extremely racist comment she put out i\xe2\x80\x99m a fan and you made my day endorsing trump . help expose the hypocrisy of hollywood and dems,United States of America,California,CA,Donald Trump,0,-0.5\r\n709,10/27/2020,95th &amp; cicero f&amp;k trump protest chicago chicagoscanner trump bidenharris2020 america breaking breakingnews news votethemout voteearly mexico alllivesmatter,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n710,10/27/2020,9yo kid virtual scientific method class today. teacher asked if they really wonder about something and want to know why how... my kid \xe2\x80\x9cyes i wonder why donald trump is orange and how he got that way.\xe2\x80\x9d mic drop. donaldtrump 2020election parenting,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n711,10/27/2020,a sexual harasser standing next to trump a sexual harasser administering the oath to someone who doesn't care about sexual harassment and belongs to a cult that demeans women. supremecourtconfirmation packthecourt,United States of America,California,CA,Donald Trump,0,-0.2\r\n712,10/27/2020,a sexual predator a racist and a russian spy walk into a bar. the bartender says what can i get you president trump. vote voteblue bluewave blue\xf0\x9f\x8c\x8a trump trumpisaracist fdonaldtrump trumpisasexualpredator,United States of America,New York,NY,Donald Trump,0,-0.3\r\n713,10/27/2020,a small group of protestors are stationed now on grand river ave. before the trump rally chanting \xe2\x80\x9ctrump lied. people died.\xe2\x80\x9d lansing trumpinlansing,United States of America,Michigan,MI,Donald Trump,0,-0.3\r\n714,10/27/2020,abcworldnews according to the republican agenda - forever and ever heil trump \xf0\x9f\x96\x95\xf0\x9f\x8f\xbc\xf0\x9f\x96\x95\xf0\x9f\x8f\xbc\xf0\x9f\x96\x95\xf0\x9f\x8f\xbc\xf0\x9f\x96\x95\xf0\x9f\x8f\xbc\xf0\x9f\x96\x95\xf0\x9f\x8f\xbc\xf0\x9f\x96\x95\xf0\x9f\x8f\xbc\xf0\x9f\x96\x95\xf0\x9f\x8f\xbc fucktrump fuckrepublicans votethemallout,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n715,10/27/2020,acbconfirmation acb ilhanmn aoc acbhearings trump2020 trump democats bidencares joebidenukrainescandal bocaraton kag2020,United States of America,Florida,FL,Donald Trump,2,0\r\n716,10/27/2020,after all the countless muting of trump tweets you'd think twitter would just ban the president we don't need to go to twitter for information especially when half of it is disinformation...ban him if you care or have the balls.,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n717,10/27/2020,after trump wins...he's gonna have the opportunity to seat at least 2 more supreme court justices acb maga,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n718,10/27/2020,alicetweet joebiden are you waiting for realdonaldtrump to release his health care and covid19 plan or have you given up on covid19 like trump has \xf0\x9f\xa4\x94,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n719,10/27/2020,all i want for my birthday is a red wave maga trump loomer,United States of America,Florida,FL,Donald Trump,1,0.5\r\n720,10/27/2020,all of this to say amyconeybarrett  is likely to be key deciding cases re voting and the election. she says she\xe2\x80\x99ll decide cases in front of her on their merits. but democrats fear that having been nominated by trump so close to the election she may come down in his favour,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n721,10/27/2020,all they have left is lies biden bidenharris trump trump2020 2020election,United States of America,Minnesota,MN,Donald Trump,0,-0.8\r\n722,10/27/2020,alyssa_milano usa election2020 trump trumptrain2020,United States of America,New York,NY,Donald Trump,2,0\r\n723,10/27/2020,amandacarpenter trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n724,10/27/2020,americans are scared lil bitches lmao the french really dragged their leaders through the streets and executed them. come onnnnnn scotus trump biden barrett amerikkka,United States of America,Missouri,MO,Donald Trump,0,-0.4\r\n725,10/27/2020,amy coney barrett being appointed to the us supreme court is partisan hypocrisy by the gop and damages justice in america. she will bring her delusional and extreme religious beliefs into court. this is an utter disgrace. trump us politics,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n726,10/27/2020,amy coney barrett will forever be tied to trump an illegitimate confirmation and covid__19.,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n727,10/27/2020,amycomeybarrett donaldtrump supremecourtconfirmation,United States of America,California,CA,Donald Trump,1,0.3\r\n728,10/27/2020,amyconeybarrett already stole her precious seat on the 7th circuit court of appeals in 2017. obama's 2016 nominee was highly qualified black woman myra selby former justice of the indiana supreme court. mcconnell refused to hold hearings trump replaced her with barrett.,United States of America,Hawaii,HI,Donald Trump,0,-0.3\r\n729,10/27/2020,amyconeybarrett showed us her character by accepting the supremecourt position with a rushed appointment. let\xe2\x80\x99s send trump packing...voteblue votebluetosaveamerica votebluedownballot,United States of America,North Carolina,NC,Donald Trump,2,0\r\n730,10/27/2020,amyconeybarrettscotus trump,United States of America,Florida,FL,Donald Trump,2,0\r\n731,10/27/2020,amyklobuchar vote trump to have a future.,United States of America,Wisconsin,WI,Donald Trump,0,-0.2\r\n732,10/27/2020,andrewhclark not so fast florida women/seniors against trump.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n733,10/27/2020,andyjmills76 dap2cool advise you go fact check &amp; see proof where trump has an excellent record in keeping america safe &amp; healthy. healthcare plan is in final stage. takes time for good solid plan. unlike obama's thrown together. never was an obama plan. crossed out medicare and he put obamacare.,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n734,10/27/2020,andyjmills76 dap2cool due to underlying conditions most of the people fell ill to covid. borders were secured travel bans were put in place and 3 phase national plan initiated. go do further research and see; trump has done and is doing a great job,United States of America,Florida,FL,Donald Trump,2,0\r\n735,10/27/2020,andyostroy angelica is also among the suburbanwomenforbiden who lives in palm harbor florida she has an absolutely adorable baby daughter &amp; she is so tired of feeling unsafe under the trump regime. she is 100% bidenharris2020,United States of America,Florida,FL,Donald Trump,1,0.1\r\n736,10/27/2020,angrierwhstaff trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n737,10/27/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n738,10/27/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n739,10/27/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n740,10/27/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n741,10/27/2020,anyone else done with hearing about the russiancollusion excuse for everything  it\xe2\x80\x99s all they got.  i imagine that russia isn\xe2\x80\x99t very pleased with being blamed for things they had nothing to do with..... potus liars trump trump2020landslide,United States of America,New Jersey,NJ,Donald Trump,0,-0.8\r\n742,10/27/2020,anytime trump strays outside the foxnews of oann \xe2\x80\x9cbubble\xe2\x80\x9d he has to deal w truth . something he\xe2\x80\x99s completely unfamiliar and uncomfortable with. so... he runs. coward 60minutes 60minutes,United States of America,Louisiana,LA,Donald Trump,0,-0.5\r\n743,10/27/2020,aoc not only without college degrees but immigrants could run this country better. i know it's not legal to be president if you were not born here but i hope to god one day we can. i think we have reached the bottom of the barrel with american born presidents after trump. one day,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n744,10/27/2020,appreciate beschloss perspective. trump is today\xe2\x80\x99s ripvanwinkle not quite awake.,United States of America,Michigan,MI,Donald Trump,1,0.2\r\n745,10/27/2020,as i am voting i can see the obama organizational machine of 2008 and the trump enthusiasm of 2016 at the same time. this is a race between a machine and preservational instincts.,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n746,10/27/2020,as it should be my tax dollars should not pay to continue to hide trump abuse of women &amp; his rape history. give your dna  donald. she has the dress trumpisanationaldisgrace trumpliedpeopledied votebluetoendthisnightmare,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n747,10/27/2020,atrupar c'mon this racist jaredkushner like all trumps are products of generational-wealth which they've all mismanaged to fucked up &amp; squander away says the problem with black people is that trump want successful for us more than we do typical nativist mindset bospoli mapoli,United States of America,Massachusetts,MA,Donald Trump,0,-0.7\r\n748,10/27/2020,aubrey_huff nextapprentice1 joebiden trump's the proven coward bonespurs,United States of America,New York,NY,Donald Trump,0,-0.8\r\n749,10/27/2020,barbrastreisand trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n750,10/27/2020,bettemidler god is rolling his eyes. ignorance is better midler. maga maga2020landslidevictory maga2020landslide trump trump2020landslidevictory trump2020landslide,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n751,10/27/2020,biden acusa a donald trump de rendirse ante el covid-19 -  evnews joebiden donaldtrump elecciones2020 covid19,United States of America,Florida,FL,Donald Trump,2,0\r\n752,10/27/2020,biden insults pennsylvanians who don't support him calls them chumps  pennsylvaniafortrump trump maga kag maga2020landslidevictory,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n753,10/27/2020,biden trump how about your health claim your free membership to cancer u.  uselection trump biden votes republican democrat cancer healthcare giveaway win health caregivers patients,United States of America,Alabama,AL,Donald Trump,0,-0.5\r\n754,10/27/2020,biden's polling lead over trump looks more comfortable than clinton's thehill,United States of America,Texas,TX,Donald Trump,1,0.7\r\n755,10/27/2020,bloomberg funds last-minute advertising blitz for biden in texas and ohio  biden bloomberg trump ohio texas biden2020 bidenharris michaelbloomberg advertising florida swingstates,United States of America,New York,NY,Donald Trump,0,-0.3\r\n756,10/27/2020,boston herald - this is what my goldfish thinks about trump and the bostonherald -,United States of America,New York,NY,Donald Trump,1,0.3\r\n757,10/27/2020,brace yourself businesses and wealthy joebiden promises to raise your taxes so u can pay for his promises kamalaharris realdonaldtrump trump maga kag vote election democrat republican,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n758,10/27/2020,brandi_love you are certainly...a trooper. trump,United States of America,Oregon,OR,Donald Trump,0,-0.1\r\n759,10/27/2020,brave women  via youtube trump gop marcorubio lindseygrahamsc   moscowmitch republican senategop enablers should be ashamed if they had any shame at all. sad,United States of America,New York,NY,Donald Trump,0,-0.8\r\n760,10/27/2020,breaking covid19 bitcoin trump theview tuesdaythoughs,United States of America,New York,NY,Donald Trump,0,-0.1\r\n761,10/27/2020,breaking my spirit \xf0\x9f\x92\x94amyconeybarrettscotus covid19 donaldtrump killme,United States of America,California,CA,Donald Trump,0,-0.5\r\n762,10/27/2020,brhodes sexysaguaro democrats just say back &amp; let it happen as well.  trump is demolishing the us &amp; no one is batting an eye or doing a thing - just sitting back thinking the vote is gonna clean up all of this bullshit. can't undo this asshole barrett from supreme court,United States of America,Arizona,AZ,Donald Trump,0,-0.6\r\n763,10/27/2020,brooklyn nyc 10/27/2020. bidenharris2020 trump vote brooklyn nyc,United States of America,New York,NY,Donald Trump,1,0.2\r\n764,10/27/2020,bryanbehar yep... even some of the they're both the same mouthpieces in 2016 started coming around after trump got his second seat on the supreme court filled...,United States of America,California,CA,Donald Trump,0,-0.2\r\n765,10/27/2020,can\xe2\x80\x99t wait for flotus to be escort out of the white house jan 20. melaniatrump trump,United States of America,District of Columbia,DC,Donald Trump,1,0.4\r\n766,10/27/2020,carolannb well vladimirputin is actually fairly intelligent. unlike like his puppy donaldtrump.,United States of America,Maryland,MD,Donald Trump,1,0.1\r\n767,10/27/2020,carolinalhurley ivankatrump not so fast florida women/seniors against trump.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n768,10/27/2020,catch me on outnumberedot w harrisfaulkner today i'll be on w giannocaldwell talking biden trump polls texas election2020 130pm/e on foxnews,United States of America,California,CA,Donald Trump,0,-0.2\r\n769,10/27/2020,cbs hires 24-hour security for lesleystahl stahl after she receives death threats following trump interview | raw story,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n770,10/27/2020,chrismegerian trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n771,10/27/2020,chuckcallesto realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n772,10/27/2020,chuckcallesto realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n773,10/27/2020,chuckcallesto realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n774,10/27/2020,chuckcallesto realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n775,10/27/2020,chuckcallesto realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n776,10/27/2020,chuckcallesto realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n777,10/27/2020,chuckcallesto realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n778,10/27/2020,chuckcallesto realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n779,10/27/2020,clifftyll hawaiidelilah rubengallego absolutely the trump gang of traitors &amp; crooks aren\xe2\x80\x99t entitled to anything but huge fines &amp; long prison sentences.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n780,10/27/2020,cnn maybe the real problem is too much testing everyone knows that masks equals democratic affinities empathy communitarianism &amp; good citizenship. all anti trump values. make america gasp again,United States of America,California,CA,Donald Trump,0,-0.4\r\n781,10/27/2020,cnn the final step for mitchmcconnell&amp; his rule-breaking liar choir is to nominate donaldtrump for a kingship&amp; of course trump thinks our supreme court will crown himbut not today not ever our judges are honorable honest&amp; unlike mcconnell donaldtrump doesn't own them.,United States of America,Indiana,IN,Donald Trump,0,-0.7\r\n782,10/27/2020,cnnee trump mostr\xc3\xb3 la misma actitud que nicolas maduro cuando jorge ramos lo entrevist\xc3\xb3. a trump solo le falt\xc3\xb3 incautar el video y detener a leslie stahl de 60minutes como hizo con jorgeramos de univision  dictadortrump latinosforbiden latinosfortrump biden2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n783,10/27/2020,confirmation that obama dumped verbal mashed potatoes on trump\xe2\x80\x99s head.,United States of America,California,CA,Donald Trump,0,-0.8\r\n784,10/27/2020,confirmed amy coney barrett us senate confirms amy coney barrett to the supreme court | shainethomas |  supremecourt scotus barrett trump,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n785,10/27/2020,congress has left town without passing a coronavirus aid bill. now a 2nd round of $1200 stimulus checks may have to wait until december.  trump asshole p2 usa ditchmitch ditchmitch2020 ditchmoscowmitch gop republicans vote voteblue2020 kentucky,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n786,10/27/2020,consider what happened in nigeria recently lekkimassacre sponsored by the government.... people where peaceful protesting policebrutality ..... nigeria endorses trump .... says a lot. vote voteearly,United States of America,Illinois,IL,Donald Trump,2,0\r\n787,10/27/2020,corruption at its finest joebiden election2020 corruption trump,United States of America,Virginia,VA,Donald Trump,0,-0.8\r\n788,10/27/2020,covid front line doctor invites potus trump and vp pence to visit any hospital icu in the country  for a realitycheck after wh attacks on ems workers.,United States of America,California,CA,Donald Trump,0,-0.4\r\n789,10/27/2020,covid infection of pence aides raises serious concerns about trump\xe2\x80\x99s virus response - his lack of wearing masks is infecting others in the the whitehouse and on the campaign trail dumptrump vote biden,United States of America,California,CA,Donald Trump,0,-0.8\r\n790,10/27/2020,covid19 covidtrump maga2020 maga trumpcovid19 penceknew trump trump2020,United States of America,California,CA,Donald Trump,2,0\r\n791,10/27/2020,covid19 spiking in many states.  no need to worry  trump utters.   it will go away on nov 4 because it\xe2\x80\x99s all an election hoax.   * whew*. and i was worried  he also said all shut-downs will end nov 4th.  lol.   meanwhile back on planet earth. \xf0\x9f\x99\x82trumpcovidhoax,United States of America,New York,NY,Donald Trump,2,0\r\n792,10/27/2020,cuomo solves the trump covid-19 mystery  via youtube trump votebidenharristosaveamerica trumpcrimefamilyforprison,United States of America,New York,NY,Donald Trump,1,0.1\r\n793,10/27/2020,dannyzuker realdonaldtrump trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.4\r\n794,10/27/2020,ddale8 trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n795,10/27/2020,deadlinewh msnbc donnafedwards nicolledwallace people want jobs and a good economy. only trump can put that task together. oldjoe isn't the man for the job. votetrump2020 if you want his country to succeed beyond your wildest expectations. sleepyjoebiden is a snoozer. joementia is too old to be president. \xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f\xf0\x9f\xa5\xb1,United States of America,New York,NY,Donald Trump,2,0\r\n796,10/27/2020,did trump grab amyconeybarrett byt the pussy too becuase when you're a president i hear that's one of the perks..... let's see how long until she gets a bottle blonde dye job.,United States of America,California,CA,Donald Trump,0,-0.3\r\n797,10/27/2020,did you notice how marcorubio didn\xe2\x80\x99t describe the supremecourt as \xe2\x80\x98legitimate\xe2\x80\x99 that\xe2\x80\x99s because it isn\xe2\x80\x99t... not anymore. supremecourtconfirmation supremecourtsham amyconeybarrett donaldtrump joebidenkamalaharrislandslidevictory moscowmitch gopcomplicittraitors trump,United States of America,California,CA,Donald Trump,0,-0.3\r\n798,10/27/2020,didn't know they made pleather gloves in kid sizes until i watched trump in michigan small hands and even smaller crowds trumplieseverytimehespeaks all you mi wankers chanting i love you to a dick who is actively ditching your health insurance so you can dye from covid vote,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n799,10/27/2020,dishntrish scotus not so fast florida women/seniors against trump.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n800,10/27/2020,dlgahres galetstrong not so fast florida women/seniors against trump.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n801,10/27/2020,do not listen to realdonaldtrump if there is voterfraud it will be done by trump. don't fall for his lies. get out &amp; vote votetrumpout votehimout,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n802,10/27/2020,do they really think that american voters haven\xe2\x80\x99t noticed that whenever he\xe2\x80\x99s asked to come up with a coronavirus plan all joe biden can do is mumble something about more masks and social distancing he can\xe2\x80\x99t even solve his own medical problems.  biden trump maga,United States of America,New York,NY,Donald Trump,0,-0.3\r\n803,10/27/2020,do you think trump will dress like a general if he wins a second term voteblue votebluetoendthisnightmare,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n804,10/27/2020,don't worry america what you are seeing is only a myth and an idea 4moreyears lawandorder trump,United States of America,Michigan,MI,Donald Trump,0,-0.8\r\n805,10/27/2020,donald trump hits western wisconsin hoping to recapture 2016 support; very few masks big crowd trump covid  via journalsentinel,United States of America,Wisconsin,WI,Donald Trump,0,-0.4\r\n806,10/27/2020,donald trump hits western wisconsin hoping to recapture 2016 support; very few masks big crowd trump covid  via journalsentinel,United States of America,Wisconsin,WI,Donald Trump,0,-0.4\r\n807,10/27/2020,donaldjtrumpjr this is great amycomeybarrett trump2020 donaldtrump supremecourtconfirmation acbconfirmed acb trump2020landslide joebidenukrainescandal maga2020 2020election 4moreyears,United States of America,Nevada,NV,Donald Trump,1,0.8\r\n808,10/27/2020,donaldtrump,United States of America,Texas,TX,Donald Trump,1,0.3\r\n809,10/27/2020,donaldtrump . the most unintelligent potus in history pollwatchers are illegal. how does a career criminal not know this answer he does he knows it\xe2\x80\x99s voterintimidation he just doesn\xe2\x80\x99t understand it. he\xe2\x80\x99s just riling up his ignorant maga. votethemout voteearlyday vote,United States of America,California,CA,Donald Trump,0,-0.3\r\n810,10/27/2020,donaldtrump and an american-led multi-polar world...  rankweil hollabrunn enns brunnamgebirge riediminnkreis badv\xc3\xb6slau waidhofen knittelfeld trofaiach mistelbach zwettl v\xc3\xb6lkermarkt g\xc3\xb6tzis sanktjohannimpongau g\xc3\xa4nserndorf \xc3\xb6sterreich uk usa,United States of America,District of Columbia,DC,Donald Trump,1,0.2\r\n811,10/27/2020,donaldtrump cnn is right stop hating on women you can't ask women to love you&amp; then verbally trash kamalaharris in the same breathas there is more to a lady's then breeding &amp; being mr. president.women may march coast to coast &amp; remove you as president starting tomorrow.,United States of America,Indiana,IN,Donald Trump,0,-0.4\r\n812,10/27/2020,donaldtrump has left a wake of destruction behind him. that\xe2\x80\x99s his legacy. vote votehimout,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n813,10/27/2020,donaldtrump is a plague on america in more ways than one. he is a sick vindictive childish idiot,United States of America,New York,NY,Donald Trump,0,-0.9\r\n814,10/27/2020,donaldtrump is the best president have. sloppy joe and women it\xe2\x80\x99s over lol,United States of America,South Carolina,SC,Donald Trump,1,0.1\r\n815,10/27/2020,donaldtrump needs to be voted out without a doubt. he is a very real &amp; present threat to democracy and freedom in the usa and the world. if you still support him i don't get it can you tell me why if you are a christian how in any way does trump affirm your faith,United States of America,California,CA,Donald Trump,0,-0.9\r\n816,10/27/2020,donaldtrump says stupid things. this is one of the dumbest \xe2\x80\x9cdemocrats are using mail drop boxes which are a voter security disaster. among other things they make it possible for a person to vote multiple times....,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n817,10/27/2020,donaldtrump told at least 16 lies or misleading claims during 60minutes interview,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n818,10/27/2020,donaldtrump's liar choir is now saying they're no longer going to fight coronavirusbecause there is 70 more thousand cases announced sense saturday of last week&amp; before next saturday of next week that will be a hundred thousand more sick &amp; dying people with coronavirus.cnn,United States of America,Indiana,IN,Donald Trump,0,-0.8\r\n819,10/27/2020,donnalove0 mitch and donnie are the ones packing the courts. obama had more appointments denied than any other pres. mitch must go and be in the cell next to trump.,United States of America,Colorado,CO,Donald Trump,0,-0.3\r\n820,10/27/2020,donthecon trumpneverhadaplan trumpneverhadcovid trumpemptybookandpromises trumpemptypresidency trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n821,10/27/2020,election2020 christians abortion covid trump,United States of America,Missouri,MO,Donald Trump,0,-0.5\r\n822,10/27/2020,election2020 covid trump christians abortion prolife christiansforbiden,United States of America,Missouri,MO,Donald Trump,0,-0.4\r\n823,10/27/2020,election2020 dumptrump dumptrump2020 covid19 coronavirus trump bidenharristosaveamerica kamalaharris twitter tuesdaythoughts,United States of America,California,CA,Donald Trump,2,0\r\n824,10/27/2020,electionday results tunein tuesday 8pm ahoraoscarhaza oscarhazaofficial \xe2\x80\x94 vote trump biden florida earlyvoting mailinballot polls,United States of America,Florida,FL,Donald Trump,1,0.1\r\n825,10/27/2020,electionreal not so fast florida women/seniors against trump.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n826,10/27/2020,eliehonig kevinmkruse corybooker actually i\xe2\x80\x99d give him a free shot at trump and i suspect the orange jello man would get pulverized,United States of America,Kansas,KS,Donald Trump,0,-0.4\r\n827,10/27/2020,end of the line  in sight at the trump rally in lansing lsjnews,United States of America,Michigan,MI,Donald Trump,0,-0.1\r\n828,10/27/2020,ericoreojohnson electproject in the bag not so fast florida women/seniors against trump.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n829,10/27/2020,evanmcmullin projectlincoln realdonaldtrump ivankatrump donaldjtrumpjr erictrump trump trumpcrimefamily,United States of America,Florida,FL,Donald Trump,2,0\r\n830,10/27/2020,fbi trump is making a direct threat against a former vice president and current presidential nominee.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n831,10/27/2020,feline catsagainsttrump cats catlover cat kittens kitten kitty pets pet meow moe cutecats cutecat cutekittens cutekitten meowmoe catsofinstagram caturday catsoftwitter trump pussycat kittycafe notmycat,United States of America,Texas,TX,Donald Trump,1,0.4\r\n832,10/27/2020,firerobportman senrobportman has never listened to or repped ordinary ohioans. i mean he had to have a gay son in order to support marriageequality. he\xe2\x80\x99s just a self-serving trump fluffer. on 11/4 let\xe2\x80\x99s go votethemallout actblue,United States of America,Ohio,OH,Donald Trump,0,-0.5\r\n833,10/27/2020,five books to help us understand the rise of trump that have nothing to do with trump readinglist poor unemployed smalltowns  via bookmarksreads,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n834,10/27/2020,for all the people that bucked against hillaryclinton know that trump has appointed a third of the justices on the scotus and our system is now f**ked for generations. they have successfully installed an apartheid regime. wokeaf,United States of America,New York,NY,Donald Trump,0,-0.2\r\n835,10/27/2020,from the archives  trump us considering selling f-35 fighter jets to uae  trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n836,10/27/2020,funder ejeancarroll trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n837,10/27/2020,funder trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n838,10/27/2020,funny how trump sycophants criticize hunterbiden's past but crickets when it comes to their first 'lady' hypocricy hypocrites sheusedtosellthatwap,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n839,10/27/2020,gayla i never said riots were ok. however what we need is a president who will bring people together. obama told people to cut it out when there was rioting during his term. trump just keeps propagating fakenews by calling the real news fake news,United States of America,California,CA,Donald Trump,0,-0.4\r\n840,10/27/2020,gdad1 gypsytricia ravenbeauty1970 vdotard candycoffiee teragrammy krissymac79 annenjennifer royboydc cartel_trump dialogue_works dee18660796 msjr88 hawkeyefan1983 patriotsnhfan pauldereume westerndragon90 got everyone followed that i wasn't already following. i live building my network with all of you great resisters  and truth defenders  send trump packing. \xf0\x9f\x8c\x8a\xf0\x9f\x8c\x8a\xf0\x9f\x8c\x8a trumpmeltdown gophypocrisy,United States of America,Nebraska,NE,Donald Trump,1,0.2\r\n841,10/27/2020,gehrig38 __brooksie omg i can't stop ctfu omg this is great trump got my vote,United States of America,New Jersey,NJ,Donald Trump,1,0.9\r\n842,10/27/2020,get out and vote pennsylvania. joebiden is for all of us-  all of us trump is only for himself. he doesn\xe2\x80\x99t care if we live or die,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n843,10/27/2020,gop great job you have filled yet another position with someone completely unqualified to do the job ahead. trump really does have you sucking his toes. what will you do when he is gone and your party loses all it's power for backing him trump republicans,United States of America,Ohio,OH,Donald Trump,0,-0.7\r\n844,10/27/2020,guasoffia billycorben biden just know that your vote for trump supports someone who separated kids from their parents so you are not being congruent.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n845,10/27/2020,hardcore facts votebluetosaveamerica votehimout vote2020 trump has to go trumpmeltdown trumpislosing,United States of America,Missouri,MO,Donald Trump,0,-0.3\r\n846,10/27/2020,harrisonjaime is rock in\xe2\x80\x99 it running a tight race to beat lindseygrahamsc. donaldtrump said he would draintheswamp. well he\xe2\x80\x99s so god-awful that he\xe2\x80\x99s destroying the careers of the greedy hypocritical corrupt politicians who threw in their hats with him. so promise kept,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n847,10/27/2020,have no interest in watching biden\xe2\x80\x99s rally but kudos to fox news for airing biden rally. you will never see cnbc msnbc or cnn air a trump rally. this is why fox is 1 in ratings. biden trump foxnews,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n848,10/27/2020,healthnewsflash woman first in wales to have same coronavirus treatment as donald trump.... |  covid__19 wales waleslockdown donaldtrump,United States of America,Texas,TX,Donald Trump,2,0\r\n849,10/27/2020,helllll noooo i want the next democratic president joebiden to go in the white house &amp; do exactly what republicans have been doing everything don't start saying we can't trump &amp; gop proved yes you can morningjoe votebluedownballot votethemallout votebidenharris,United States of America,New York,NY,Donald Trump,2,0\r\n850,10/27/2020,hey at madrid_mike since covid19 is the one issue that trump cannot really control when will projectlincoln be pushing out hashtags to lash covid to trump trumpplague etc.,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n851,10/27/2020,hey everyone what is the deal with this trump guy is there a contest or something,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n852,10/27/2020,hey ivankatrump jaredkushner realdonaldtrump...thanks for sharing. ivanka jaredkushner potus trump maga2020 maga2020landslidevictory meidastouch notmypresident trumpcrimesyndicate,United States of America,New York,NY,Donald Trump,1,0.4\r\n853,10/27/2020,hey pro-life supporters you care more about a clump of cells than 545 children who are abandoned also amy coney barrett is in favor of killing women who get abortions. is that \xe2\x80\x9cpro-life\xe2\x80\x9d i\xe2\x80\x99m genuinely curious someone answer my questions. donaldtrump joebiden amyconey,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n854,10/27/2020,hey trump says the pandemic is over. he claims victory. great job gop. so no one else will die today right,United States of America,Washington,WA,Donald Trump,2,0\r\n855,10/27/2020,hillaryclinton hillary hillary hillary. 15% occurred in your favorite state of ny. remove them from the total and mathematically we are under those of south korea as a % of population. hate that you are pandering to people that can\xe2\x80\x99t understand that. manipulation trump,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n856,10/27/2020,his own people are telling you this. please please listen election2020 presidentialelection2020 electionday electionweek bidenharris2020 trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n857,10/27/2020,hkrassenstein plantperson1 he gave up on covid19 so its no surprise he is letting the trump thetraitors base with their shame,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n858,10/27/2020,honestly she seems mentally ill. a bit touched as they would say not sure if she should be out on her own unsupervised. let alone willy nilly trump voting trumpvirus covidiots acbconfirmation,United States of America,Rhode Island,RI,Donald Trump,0,-0.6\r\n859,10/27/2020,how is this possible  i thought trump was a racist and misogynist  hidenbiden hunterbidenemails,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n860,10/27/2020,how trump feels inside \xf0\x9f\x98\xad,United States of America,California,CA,Donald Trump,2,0\r\n861,10/27/2020,howardfineman lying lazy or dumb 2 oaths since 1800\xe2\x80\x99s constitutional &amp; judicial recently on tv including kagan; nytimes fawned was \xe2\x80\x9cjubilant televised celebration hosted by obama in east room.\xe2\x80\x9d barrett thanked \xe2\x80\x9cthe senate for giving its consent\xe2\x80\x9d gop trump enemyofthepeople nbcnews,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n862,10/27/2020,hundreds of people are here hours before pres. donald trump is scheduled to speak at the lansing airport. here\xe2\x80\x99s a shot of only a fraction of the line. lsjnews,United States of America,Michigan,MI,Donald Trump,2,0\r\n863,10/27/2020,hunter biden  hunter biden  what a joke the-trump adminstration is.,United States of America,California,CA,Donald Trump,0,-0.8\r\n864,10/27/2020,i agree...trump will be long gone before that...china,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n865,10/27/2020,i don't know why you  asked me for this favor for this favor joebiden but i did vote for president trump as early as i could. iwillvote maga2020 maga trump,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n866,10/27/2020,i have a legit question would trump\xe2\x80\x99s base be as dogmatic if trump was on the thedemocrats ticket trump,United States of America,California,CA,Donald Trump,0,-0.1\r\n867,10/27/2020,i have definitive proof that the russians paid off the grim reaper to empty rbg's seat before trump left office. theonion thebabylonbee,United States of America,Texas,TX,Donald Trump,1,0.1\r\n868,10/27/2020,i hope that a newly elected democratic senate say \xe2\x80\x9cfuck it\xe2\x80\x9d and pack the courts. trump and moscowmitch have turn the courts political and will have allowed what will happen to happen. packthecourt,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n869,10/27/2020,i hope to hell kids aren't watching donaldtrump  he's certainly no role model a criminal bidin' time til indictment,United States of America,New York,NY,Donald Trump,0,-0.9\r\n870,10/27/2020,i just voted for bidenharris. i do not want 4 more years of adult baby whining and asking people to praise him. in addition i want that on 1-7-21 biden creates a special task force led by vpharris that will investigate all trump\xe2\x80\x99s family business for the past 4 years.,United States of America,Maryland,MD,Donald Trump,0,-0.1\r\n871,10/27/2020,i know a lot of people are frosted that lindseygraham has not yet perp-marched everybody involved in russia slanders and spying on trump. but his stewardship of the amyconeybarrett has been superb.,United States of America,Texas,TX,Donald Trump,2,0\r\n872,10/27/2020,i mean seriously trump,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n873,10/27/2020,i put as much stock in a trump/gop covid vaccine as i do a trump/gop replacement of the aca. aca covid trump gop,United States of America,New York,NY,Donald Trump,2,0\r\n874,10/27/2020,i think i understand what realdonaldtrump means when he says we\xe2\x80\x99re rounding the corner. like a racing line you accelerate at the apex of your turn and covid19 in this case is going faster and everything is going horribly wrong. trump roundingthecorner,United States of America,California,CA,Donald Trump,0,-0.3\r\n875,10/27/2020,i think twitter slows down and the app crashes every time i tweet about trump or something like defendthepolice notacoincidence liberalagenda,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n876,10/27/2020,i voted for trump pence,United States of America,California,CA,Donald Trump,2,0\r\n877,10/27/2020,i was also going to add it would also dissuade donaldtrump from grabbing it but we know he doesn't care about safety when it comes to contagious illness because otherwise donaldtrumpcovid wouldn't be a thing so your pussy wouldn't be safe one way or the other. tuesdaywisdom,United States of America,New York,NY,Donald Trump,0,-0.2\r\n878,10/27/2020,i wonder how long it\xe2\x80\x99s going to take for trump to file bankruptcy again once the election is over and he no longer has access to taxpayer dollars.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n879,10/27/2020,i wouldn't be surprised if this isn't really some radical right group trying to help trump win.,United States of America,Tennessee,TN,Donald Trump,0,-0.6\r\n880,10/27/2020,i'm hearing a lot of horns beeping at the biden georgia rally. some people cheering. i believe some trump voters are also there. oldjoe mentioning them.\xf0\x9f\x98\x82 the actual crowd not being shown but i suspect not many. joementia is promising the world to the middle class...freestuff,United States of America,New York,NY,Donald Trump,0,-0.2\r\n881,10/27/2020,iamright20 stonekettle and yet you realize the rich irony here chewie doesn\xe2\x80\x99t realize that hrc *did* beat trump.,United States of America,Colorado,CO,Donald Trump,0,-0.9\r\n882,10/27/2020,if anyone thinks the traitorinchief trump hasn\xe2\x80\x99t thought about doing exactly this \xf0\x9f\x91\x87 you\xe2\x80\x99re not paying attention,United States of America,Michigan,MI,Donald Trump,0,-0.6\r\n883,10/27/2020,if either biden or trump actually represents either side of a battle for the soul of our nation good lord are we so totally screwed.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.9\r\n884,10/27/2020,if people think realdonaldtrump tweets alot / then obviously they'd feel same about worldfamouspatlyons ... i wonder if trump will followback me then.. maga2020landslide gteed if so imcoollikethat gop tuckercarlson,United States of America,California,CA,Donald Trump,0,-0.2\r\n885,10/27/2020,if trump wins next week i think the internet might break,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n886,10/27/2020,if you look up the term gaslighting in the dictionary  there will probably be a picture of trump cause that what he do...stop gaslighting me dude im not falling for your lies..trumpislosing vote trumpsheep,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n887,10/27/2020,if you thought her judgment on this decision was bad just wait until she starts tearing apart our civilrights laws and ripping health care coverage away from millions of sick americans. amyconeybarrett scotus moscowmitch trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n888,10/27/2020,impossible to give honor where it is due when trump is fueling whitesupremacists. we remember the dead &amp; the injured from this tragedy. trump &amp; gop too busy with their confirmation celebration. we will remember that too.gopcomplicittraitors  packthecourt votebidenharris,United States of America,New York,NY,Donald Trump,0,-0.4\r\n889,10/27/2020,in 7 days my hope is to never tweet or read another tweet about trump or politics in general ever again  snl,United States of America,New York,NY,Donald Trump,0,-0.7\r\n890,10/27/2020,in the present world politics realdonaldtrump has unique capability to see through china \xe2\x80\x99s gimmicks  tricks and thuggish behavior. he exposed china  challenged it. and will keep challenging it. so trump trump2020,United States of America,California,CA,Donald Trump,1,0.2\r\n891,10/27/2020,it's interesting how those who defend people who blatantly espouse racist ideas trump get real offended &amp; defensive about being racist. why because their belief system is being challenged &amp; shown as false distorted lies racistjared race politics,United States of America,New York,NY,Donald Trump,0,-0.8\r\n892,10/27/2020,it's not about the man it's about the people. too many years of being told what to think what we can do and that we're all racist . the american people have had enough. trump trump2020,United States of America,New York,NY,Donald Trump,0,-0.3\r\n893,10/27/2020,it\xe2\x80\x99s despicable how trump is mocking gov. gretchenwhitmer and the horrific plot against her...  thereidout,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n894,10/27/2020,it\xe2\x80\x99s time people we gotta vote donald trump is the last thing standing to keep america america. maga maga2020 maga2020landslidevictory trump2020 trump2020landslide trump trump2020tosaveamerica kag kag2020trumpvictory,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n895,10/27/2020,ivankatrump another superspreader event from typhoid mary trump,United States of America,California,CA,Donald Trump,0,-0.1\r\n896,10/27/2020,jackposobiec oann wondering what they'd do with trump/owens 2024,United States of America,Washington,WA,Donald Trump,2,0\r\n897,10/27/2020,jaketapper cameron_kasky yea that looked exceptionally bad. a let the starving eat cake photo opp. after her i\xe2\x80\x99m all in speech. \xf0\x9f\xa4\xaeamyconeybarrett trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n898,10/27/2020,jaredkushner comments about africanamerican complaining &amp; having to want to be successful to benefit from trump's policies just reveals how deeply racist the entire trump universe is. they only see black folks as impoverished or criminal disgusting racism kushner,United States of America,New York,NY,Donald Trump,0,-0.8\r\n899,10/27/2020,jews backing biden are the real 'freiers' - opinion - the jerusalem post  biden israel jewish liberaljews trump,United States of America,California,CA,Donald Trump,2,0\r\n900,10/27/2020,joe biden widens lead over donald trump in wisconsin,United States of America,Puerto Rico,PR,Donald Trump,1,0.1\r\n901,10/27/2020,joebiden attacks trump administration for \xe2\x80\x9cwaving the white flag\xe2\x80\x9d on the coronavirus. biden says he \xe2\x80\x9cwon\xe2\x80\x99t shutdown the country he\xe2\x80\x99ll shutdown the virus.\xe2\x80\x9d bideninatlanta gapol,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n902,10/27/2020,joebiden just said he wouldn\xe2\x80\x99t cower from the virus. um... bidenisinthebasementagain trump,United States of America,Kentucky,KY,Donald Trump,0,-0.2\r\n903,10/27/2020,johncornyn you were such a coward that when you had the chance you voted against convicting trump. now here we are. you are hardly the one to lecture about leadership.  gopcowards,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n904,10/27/2020,johnnylerose not so fast florida women/seniors against trump.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n905,10/27/2020,jomalleydillon michaellarosadc trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.4\r\n906,10/27/2020,joyvbehar because democrats are blind to the truth and ignore anything written about trump if it\xe2\x80\x99s not in the democrats favor. if you didn\xe2\x80\x99t have your head so far up your ass you would\xe2\x80\x99ve seen where he reported it. the account was close before he became president. how is joe doingtrump,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n907,10/27/2020,jspragens realdonaldtrump whitehouse not so fast florida women/seniors against trump.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n908,10/27/2020,juliadavisnews oh good. maybe trump will get on it now.,United States of America,New York,NY,Donald Trump,1,0.2\r\n909,10/27/2020,julibriskman trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n910,10/27/2020,just arrived mariabartiromo\xe2\x80\x99s \xe2\x80\x9cthe cost trump china and american revival\xe2\x80\x9d and wsj freemanwsj trump china amazon,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n911,10/27/2020,justice barrett should have avoided this photo op.trump said he wanted justice approved to vote on election issues.\xe2\x80\x9dlady justice\xe2\x80\x9d is supposed to be blind.just wrong,United States of America,Tennessee,TN,Donald Trump,0,-0.9\r\n912,10/27/2020,kaitlancollins you\xe2\x80\x99re starting to get on my nerves. i know it\xe2\x80\x99s your job but i really don\xe2\x80\x99t like any of them meadows kushner trump ....,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n913,10/27/2020,kamalaharris calls out trump then it backfired,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n914,10/27/2020,kamalaharris debramessing amy coney barrett one down one to go november 3rd trump 20/20,United States of America,New York,NY,Donald Trump,1,0.3\r\n915,10/27/2020,kavanaugh has sewn the seed for trump to steal or discredit the election. now with amyconeybarrett on scotus the odds that he'll take any result to the court is all but certain. i hope i'm wrong but i fear i'm not. words cannot express my heartache tonight for this country,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n916,10/27/2020,kavanaugh will steal the election for the trump cabal.,United States of America,California,CA,Donald Trump,0,-0.7\r\n917,10/27/2020,kfile it\xe2\x80\x99s all part of his act ..same old crap he\xe2\x80\x99s been pulling for years trump is nothing but an act ..if he doesn\xe2\x80\x99t have an answer he says it\xe2\x80\x99s too tough and unfair for him to answer ..he thinks if he acts tough it makes him look good ..he looks like a whiny baby,United States of America,New York,NY,Donald Trump,0,-0.9\r\n918,10/27/2020,kodakblack says he likes trump\xe2\x80\x99s $500 billion platinum plan for black americans  new orleans louisiana,United States of America,Louisiana,LA,Donald Trump,0,-0.2\r\n919,10/27/2020,learned from this term that businessmen are better than politicians at being politicians. maga trump,United States of America,California,CA,Donald Trump,2,0\r\n920,10/27/2020,letsgrubapp realdonaldtrump trump is helping us make money maga ;-,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n921,10/27/2020,liberal kid sues his momfor being white.trump trump2020 cancelculture whiteprivilege sjw snowflakes biden blm funny comedy satire,United States of America,Colorado,CO,Donald Trump,1,0.4\r\n922,10/27/2020,listen to yesterday's billbunkleyshow amyconeybarrett scotus confirmation-fla voting heavy-fmr acting ag matthew whitaker trump \xe2\x80\x99s final campaign week-rev percy mccray cancer ministry our journey of hope-letusworshiprally draws 35000 to dc mall,United States of America,Florida,FL,Donald Trump,2,0\r\n923,10/27/2020,listening to joebiden speak is like putting a bandaid on a wound. no one can make any comparison to trump and his lies mocking name-calling and crudeness. biden speaks to the realities and we need him. votebluetosaveamerica bidenharris2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n924,10/27/2020,looks like we get that 3rd presidential debate after all. epic rap battles of history  via youtube joebiden donaldtrump govote election2020,United States of America,Virginia,VA,Donald Trump,1,0.1\r\n925,10/27/2020,love the cartoon team of paul_lander and cartoonydan cartoon whose stupid idea was it to give a direct line to leslie stahl  humor humoroutcasts funny politics trump lesliestahl,United States of America,Pennsylvania,PA,Donald Trump,1,0.6\r\n926,10/27/2020,love you kamalaharris   trumpcollapse trumpisanationaldisgrace trumpisafraud trump kamalaharrisvp joewillleadus,United States of America,North Carolina,NC,Donald Trump,1,0.9\r\n927,10/27/2020,lucho1969 realdonaldtrump good then 3 states in the usa can tell me what i can and cannot do in georgiavoters  thanks but no thanks trump,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n928,10/27/2020,maga2020 kag2020 kag maga trump2020 trump trumpkillsus trumpisnotwell vetsagainsttrump veteran veteransfortrump,United States of America,California,CA,Donald Trump,1,0.1\r\n929,10/27/2020,make america great again thingstrumpsay trump iamtrump iwin america,United States of America,New York,NY,Donald Trump,2,0\r\n930,10/27/2020,many republicans hadn\xe2\x80\x99t anticipated a moral inconvenience like donald trump... not an excuse for gop gone cultish,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n931,10/27/2020,markmeadows realdonaldtrump trump drumpf only fights for his own interests.,United States of America,California,CA,Donald Trump,0,-0.6\r\n932,10/27/2020,maryltrump you mean trump cheats along with his cons.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n933,10/27/2020,mattdpearce scaramucci trump is committed to killing more before he leaves,United States of America,Virginia,VA,Donald Trump,0,-0.3\r\n934,10/27/2020,mcconnell tees up trump judicial pick following supremecourt vote thehill,United States of America,Texas,TX,Donald Trump,2,0\r\n935,10/27/2020,media has asked trump if he will accept the results of election. has anyone asked the democrats in dc same question outgoing obama admin sabotaged trump. day trump sworn in angry protesters took to streets did not accept results. for 4 years dems tried to get rid of trump.,United States of America,Nevada,NV,Donald Trump,0,-0.4\r\n936,10/27/2020,meidastouch flushtheturdnov3rd trump bidenharris2020 voteearly,United States of America,Texas,TX,Donald Trump,1,0.1\r\n937,10/27/2020,miafarrow trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n938,10/27/2020,ming cho lee fabled set designer is dead at 90  breakingnews news trump followback,United States of America,New York,NY,Donald Trump,0,-0.6\r\n939,10/27/2020,missvickie76 walshfreedom good for you common sense seems to have been volatilized by the insanity of the gop. prior to trump it would have been nearly unthinkable to propose these judges. they\xe2\x80\x99re friggin\xe2\x80\x99 insane and so power-drunk they can\xe2\x80\x99t see straight. they thought they had it made.,United States of America,Missouri,MO,Donald Trump,0,-0.3\r\n940,10/27/2020,missylovesbookz avavroche wsj no they don\xe2\x80\x99t. trump and his group are mobsters.,United States of America,California,CA,Donald Trump,0,-0.2\r\n941,10/27/2020,mitchmcconnell  nancypelosi  im done im tired  people we need new congress they are playing with our lives vote congress out everybody. it's our tax money pay us now  donaldtrump whitehouse,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n942,10/27/2020,my kid came to me complaining about an owwie and i told her i\xe2\x80\x99m magic and i just made it go away and so basically i just pulled the most donald trump move as a parent ever.,United States of America,California,CA,Donald Trump,0,-0.6\r\n943,10/27/2020,my portfolio manager trump,United States of America,California,CA,Donald Trump,0,-0.3\r\n944,10/27/2020,new piece of resistance poetry from me. false advertising  resistance bluewavecoming poetry trump,United States of America,California,CA,Donald Trump,0,-0.5\r\n945,10/27/2020,new poll most americans believe trump family more corrupt than biden2020 family 2020election trumpislosing trump2020 trumpcollapse trump2020landslide trumpisanationaldisgrace,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n946,10/27/2020,new reporting from pfairley invw and grist an excellent partnership that reveals more than 40 blocked cleanenergy studies. climate climateaction trump,United States of America,Washington,WA,Donald Trump,1,0.3\r\n947,10/27/2020,noam chomsky trump  is willing to dismantle democracy  to hold on to power  truthout the fact that this contingency is even being discussed reveals how effective the trump wrecking ball has been in undermining formal democracy.,United States of America,North Carolina,NC,Donald Trump,0,-0.8\r\n948,10/27/2020,not only without college degrees but immigrants could run this country better. i know it's not legal to be president if you were not born here but i hope to god one day we can. i think we have reached the bottom of the barrel with american born presidents after trump. one day,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n949,10/27/2020,now if trump was shooting ppl killing them going from state to state would he be allowed to these superspreaderevents has got to stop... it's murder &amp; attemptedmurder. families who lost loved ones should sue theview cspanwj,United States of America,Ohio,OH,Donald Trump,0,-0.5\r\n950,10/27/2020,obama campaigns for biden and harris in florida - watch live stream - cbs news such a great leader healing america correcting gop economic collapses now assisting america right the trump sinking ship,United States of America,Idaho,ID,Donald Trump,1,0.8\r\n951,10/27/2020,obama says that trump is jealous of all the attention that covid is getting. i'd say that its obama who is jealous of all the attention trump is getting at his rallies while he draws no more than oldjoe does. \xf0\x9f\x98\x82,United States of America,New York,NY,Donald Trump,2,0\r\n952,10/27/2020,obama speech was everything you needed to hear. vote trump has made america a dark place,United States of America,Illinois,IL,Donald Trump,1,0.2\r\n953,10/27/2020,october 27 2020  via nypost. acbconfirmed trump,United States of America,Texas,TX,Donald Trump,2,0\r\n954,10/27/2020,of course there\xe2\x80\x99s no wall or healthcare plan or infrastructure bill. he didn\xe2\x80\x99t even come up with a new slogan  maga trump trumplostourjobs biden,United States of America,California,CA,Donald Trump,0,-0.7\r\n955,10/27/2020,on a scale of 1-10 she's a 1 and jillbiden is 1000. i can't wait for this dictatortress-costume-wearing vacuous empty-vessel and her sociopath sugar manbaby are gone from our daily consciousness...  melania trump biden election2020,United States of America,New York,NY,Donald Trump,1,0.3\r\n956,10/27/2020,one week from the biggest moment in history next week - the future of american business and healthcare will be decided. energy. clean energy. airlines. ev. electric vehicles stocks wallstreet election2020 trump biden gold oil dollar nationaldebt healthcare politics,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n957,10/27/2020,one-third of the united states supreme court has now been appointed by president donald trump. trump winning scotus ~ realdonaldtrump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n958,10/27/2020,owillis realdonaldtrump foxnews trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n959,10/27/2020,pambondi realdonaldtrump womenfortrump ivankatrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n960,10/27/2020,peggynoonan trump is what\xe2\x80\x99s embarrassing peggynoonanisaracist  get your shit straight peggynoonannyc,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n961,10/27/2020,pequenopete debramessing miajanco trump should be removed from office by putting 545 children in detention camps and civil rights groups are filing several lawsuits and ask special prosecutor robertmueller to open an investigation against realdonaldtrump on familyseparation because familiesbelongtogether.,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n962,10/27/2020,phil collins sent a cease &amp; desist letter to trump not to use his music. reliable sources say trump is going to use \xe2\x80\x9cthe hokey pokey\xe2\x80\x9d,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n963,10/27/2020,philiprucker trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n964,10/27/2020,plessy vs. ferguson is in goddamn play. the dred scott decision is in goddamn play if you haven\xe2\x80\x99t read octaviabutler\xe2\x80\x99s parable of the sower now would be the time... i always wondered how slavery came back in her novel which mirrors trump\xe2\x80\x99s america and now i know. wokeaf,United States of America,New York,NY,Donald Trump,2,0\r\n965,10/27/2020,politvidchannel it was also trump thetraitor that knew in january we had a deadly virus and wouldn't tell americancitizens because we all might have done something about it.  he surely didn't only made it worse.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n966,10/27/2020,politvidchannel trump women don't work votehisassout voteblue votethemout votehimoutandlockhimup,United States of America,New York,NY,Donald Trump,0,-0.8\r\n967,10/27/2020,potus got a tattoo with msm's name on it and now he's afraid they'll think he's crazy trump,United States of America,New York,NY,Donald Trump,0,-0.7\r\n968,10/27/2020,president donaldtrump stomptheswamp  demockooks draintheswamp americanred 2020fourmoreyearsofred gopresidenttrump,United States of America,California,CA,Donald Trump,1,0.1\r\n969,10/27/2020,president trump has a rally in lansing michigan. many supporters are lining up in the cold rain. can not see the end of the long line.,United States of America,Michigan,MI,Donald Trump,0,-0.4\r\n970,10/27/2020,president trump was hospitalized with covid-19. why aren't you wearing a mask 12 reasons for.  covid19 facemask trump pandemic covididiots savealife politicians noendinsight blog blogger,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n971,10/27/2020,presssec 60minutes realdonaldtrump an entire career had awaited ms mcenany &amp; yet she chose the ballast of corruption forever tied to the infamy of trump. well i guess there\xe2\x80\x99s always dancing with stars,United States of America,California,CA,Donald Trump,0,-0.1\r\n972,10/27/2020,pretty sure this is a lie. that is i think cohen won\xe2\x80\x99t give trump the time of day much less hire him. trump will be on his own after 20 january.  that is until he goes to jail.,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n973,10/27/2020,projectlincoln trump lied to protect santa -  the trump administration offered santa claus performers a deal a covid-19 vaccine and they'd get early access to it. the plan has been called off shame on him another empty promise. trump blametrump,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n974,10/27/2020,proven election fraud the corrupt dems will stoop to any level of cheating to remove trump from office including destroying the integrity of a right that so many have died to protect. the left is annihilating the fabric of the us and the sheeple who agree should be ashamed.,United States of America,California,CA,Donald Trump,0,-0.8\r\n975,10/27/2020,proving that waving money in presssec\xe2\x80\x99s face and she\xe2\x80\x99s just as two-faced as trump. votebidenharristosaveamerica voteblue2020,United States of America,California,CA,Donald Trump,0,-0.1\r\n976,10/27/2020,psa  acb has been confirmed and trump will be reflected our twitter feeds will be full of liberals having meltdowns or as us adults like to call them temper tantrums trump2020 tuesdaythoughts,United States of America,Massachusetts,MA,Donald Trump,0,-0.8\r\n977,10/27/2020,puro trump \xf0\x9f\x98\x82\xf0\x9f\x98\x82 latinosfortrump,United States of America,Texas,TX,Donald Trump,1,0.3\r\n978,10/27/2020,rainyday4u trump should\xe2\x80\x99ve pleaded guilty at his impeachmenttrial 8 months ago and he\xe2\x80\x99s still in the whitehouse aw damn it. it\xe2\x80\x99s going to take joebiden and kamalaharris to move into 1600 pennsylvania avenue and trump must pack his luggage \xf0\x9f\xa7\xb3 and get out of washingtondc right now.,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n979,10/27/2020,raydalio trump rumsfeld and other ego maniacs motivated by the need to right at all costs take many lives down and never accept responsibility for their stupid decisions. takes courage to admit being wrong. these guys are cowards to the core solutionshooter a teen learns that.,United States of America,California,CA,Donald Trump,0,-0.4\r\n980,10/27/2020,readeresp lrrhbakery thealicesmith trump election in 2016 was almost a revolution when you see the rage of western_oligarchs since,United States of America,New York,NY,Donald Trump,0,-0.4\r\n981,10/27/2020,reagan's fbi director and 19 other former gop-appointed us attorneys endorse biden saying trump is 'a threat to the rule of law'  trump asshole p2 usa vote voteblue2020 vote2020 republicans republicansforbiden republicansagainsttrump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n982,10/27/2020,realdonaldtrump 72k new cases in one day trump that's one big ass corner sir,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n983,10/27/2020,realdonaldtrump after holding a superspreader covid19concert infecting your friends and neighbors call your board of elections and change your vote to the trump deathcult,United States of America,Hawaii,HI,Donald Trump,0,-0.5\r\n984,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n985,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n986,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n987,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n988,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n989,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n990,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n991,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n992,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n993,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n994,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n995,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n996,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n997,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n998,10/27/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n999,10/27/2020,realdonaldtrump butt hurt. please don\xe2\x80\x99t share this. 60minutesinterview    cnn donaldtrump,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n0,10/27/2020,realdonaldtrump claims he doesn't know so many people here is donald trump interview with ali g,United States of America,Oregon,OR,Donald Trump,0,-0.8\r\n1,10/27/2020,realdonaldtrump don't vote for a coward. realdonaldtrump surrendered to covid. don't vote for a super spreader. trump puts our cherished lives in danger of getting covid at every rally. he's a selfish man who has compromised our country's health and financial well-being. voteblue now.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n2,10/27/2020,realdonaldtrump donaldtrump lockhimup  atlanta georgia,United States of America,Georgia,GA,Donald Trump,1,0.3\r\n3,10/27/2020,realdonaldtrump donaldtrump racist amerikkka blacklivesmatter voteblue2020 voteblue joebiden bidenharris2020  atlanta georgia,United States of America,Georgia,GA,Donald Trump,1,0.4\r\n4,10/27/2020,realdonaldtrump hears voices at night which dictate his tweets to him trump,United States of America,New York,NY,Donald Trump,0,-0.5\r\n5,10/27/2020,realdonaldtrump i challenge you  let\xe2\x80\x99s finish wi the trump virus and let\xe2\x80\x99s safe usa and our friends and family,United States of America,Florida,FL,Donald Trump,1,0.8\r\n6,10/27/2020,realdonaldtrump i will vote for you if and only if you block me on twitter trump2020landslidevictory realdonaldtrump donaldtrump trump2020tosaveamerica 4moreyears,United States of America,California,CA,Donald Trump,0,-0.1\r\n7,10/27/2020,realdonaldtrump is not a wartimepresident. he\xe2\x80\x99s treating covid19 the way he treated vietnam by asking for a deferral. trump needs to be classified by voters as 4f come november 3rd. votevotevote,United States of America,Ohio,OH,Donald Trump,0,-0.3\r\n8,10/27/2020,realdonaldtrump is so broke he can't even buy a suit that fits trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n9,10/27/2020,realdonaldtrump it's so great that trump didn't take a salary... it makes it so much better than other presidents to charge taxpayers for funding your businesses... trumpcrimefamily,United States of America,California,CA,Donald Trump,1,0.7\r\n10,10/27/2020,realdonaldtrump let's do the math 200000 americans have died from the coronavirus. 10000 from the swine flu. looks more like president donaldtrump with the big failure.,United States of America,Maryland,MD,Donald Trump,0,-0.7\r\n11,10/27/2020,realdonaldtrump msnbc if you attend one of the superspreaderevent rallies by trump you get 90 minutes of bs,United States of America,California,CA,Donald Trump,0,-0.7\r\n12,10/27/2020,realdonaldtrump no you\xe2\x80\x99re not. but this is real. justice will be served... ejeancarroll trump,United States of America,New York,NY,Donald Trump,2,0\r\n13,10/27/2020,realdonaldtrump obama trump is  jealous of covid's media coverage. he turned the white house into a hot zone trump covid19 obama bidenharris2020,United States of America,Washington,WA,Donald Trump,0,-0.4\r\n14,10/27/2020,realdonaldtrump ridinwithbiden trump is losing  vote,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n15,10/27/2020,realdonaldtrump trump californiansfortrump trump2020nowmorethanever,United States of America,California,CA,Donald Trump,2,0\r\n16,10/27/2020,realdonaldtrump trump is leaving a chaos for the rest of us to clean up. our country can &amp; will come back. step 1 vote joebiden,United States of America,California,CA,Donald Trump,2,0\r\n17,10/27/2020,realdonaldtrump trumpsuperspreaderrallies   trumpcoffins trump,United States of America,Michigan,MI,Donald Trump,2,0\r\n18,10/27/2020,realdonaldtrump wow obama  just told you where to get off at. \xf0\x9f\x98\x82\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82 did you see that. you failed us badly trump just do your t. v. shows again being president is not for you . and your giving everyone covid-19 at your rally's selfish selfish,United States of America,Louisiana,LA,Donald Trump,0,-0.5\r\n19,10/27/2020,realdonaldtrump yeah 'radical left' as opposed to the sycophantic ones you appointed trump corrupt traitor,United States of America,Arizona,AZ,Donald Trump,0,-0.6\r\n20,10/27/2020,really sad how little things change. this is someone who has never been able to handle legitimate questioning. donaldtrump media press cnn,United States of America,California,CA,Donald Trump,0,-0.6\r\n21,10/27/2020,redskins back trump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n22,10/27/2020,reuters anyone want to take bets their entire executive division are populated with all trump supporters  trust me if you do that's a suckers bet....,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n23,10/27/2020,revealed trump\xe2\x80\x99s hidden video deposition in trump university fraud case  via youtube maga trump realdonaldtrump senategop flotus ivankatrump erictrump donaldjtrumpjr lies lies &amp; more lies mmflint rbreich joebiden senkamalaharris barackobama,United States of America,California,CA,Donald Trump,0,-0.7\r\n24,10/27/2020,rish69444 frankbullit67 not so fast florida women/seniors against trump. trumpislosing,United States of America,New York,NY,Donald Trump,2,0\r\n25,10/27/2020,robreiner also make believe covid19 is fakenewsmedia and covid is just a sneeze. not to worry. trump believes his base are idiots and easily hoodwinked and gullible,United States of America,New York,NY,Donald Trump,0,-0.4\r\n26,10/27/2020,robreiner trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n27,10/27/2020,rt mi6rogue trump has debts of more than $1bn are tied to the covid-struck commercial real estate market.,United States of America,Ohio,OH,Donald Trump,0,-0.1\r\n28,10/27/2020,rudepundit jared needs to start going to trump's make-up artist.,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n29,10/27/2020,saracarterdc rasmussen_poll can\xe2\x80\x99t believe trump isn\xe2\x80\x99t leading by more. joebiden is toast,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n30,10/27/2020,sarahkliff grades biden\xe2\x80\x99s and trump\xe2\x80\x99s healthcare plans  via voxdotcom news aca saveaca hope vote bidenharris2020 election2020 electionday elections2020 2020election democraticparty democraticbacklash democraticmajority,United States of America,Texas,TX,Donald Trump,2,0\r\n31,10/27/2020,savagetrump trump dance jebbush vote  2020 biden sleepyjoe ohhohh trump2020 fakenews cnnfakenews bastard sleepyjoe savage fyp,United States of America,New York,NY,Donald Trump,1,0.3\r\n32,10/27/2020,sbg1 mollyjongfast i wish i could say i was surprised by the funnel-down-the-throat type feeding of the acbconfirmation to the american people but can't. it's hard to be in denial about leadership that cares naught about the will of the people. the gop &amp; unfit trump are as dictatorial as hitler.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n33,10/27/2020,scottpresler not so fast florida women/seniors against trump. trumpislosing,United States of America,New York,NY,Donald Trump,2,0\r\n34,10/27/2020,seeing that it\xe2\x80\x99s rasmussen trump leading nationally in first poll to show him ahead in over a month is really no big deal at all. but i\xe2\x80\x99m sure he will be bragging about it from now until electionday,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n35,10/27/2020,senate confirms amy coney barrett to the supreme court  trump gop election2020,United States of America,New Mexico,NM,Donald Trump,2,0\r\n36,10/27/2020,serious question for a \xe2\x80\x9crepublican\xe2\x80\x9c never trumper\xe2\x80\x98s if trump is so bad for republicans or conservatism why are you voting for joe biden why not joe jorgensen  trump tcot projectlincoln,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n37,10/27/2020,seriously cnn msnbc &amp; all the rest of journalists. he loses he leaves. it\xe2\x80\x99s that simple. wethepeople are in charge. this isn\xe2\x80\x99t a dictatorship. election2020 biden trump transferofpower,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n38,10/27/2020,seven days until election day the anxiety just became real for me  bradpitt joebiden donaldtrump,United States of America,California,CA,Donald Trump,1,0.3\r\n39,10/27/2020,shanemontoya42 that80slive npr remind me again - use as many trump talking points as you like - what freedoms democrats are trying to take away  i'll wait.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n40,10/27/2020,silveradofire wildfires wildfire climatechange globalwarming 2020election bidencares republicans republicansforbiden conservativesforbiden republicansagainsttrump lincolnproject veteransfortrump trump trump2020 trumpislosing bidenharris2020,United States of America,California,CA,Donald Trump,2,0\r\n41,10/27/2020,since his first month in office trump has used his power to direct millions from u.s. taxpayers \xe2\x80\x94 and from his political supporters.during trump\xe2\x80\x99s term millions of government and gop dollars have flowed to his properties - washington post votehimout,United States of America,California,CA,Donald Trump,0,-0.2\r\n42,10/27/2020,sistema de colegio electoral favorece levemente a trump seg\xc3\xban estudio  elecciones2020,United States of America,Florida,FL,Donald Trump,2,0\r\n43,10/27/2020,so does anyone else believe that amycomeybarrett is hiding shit about trump and that's why hes pushed her in,United States of America,Nevada,NV,Donald Trump,0,-0.9\r\n44,10/27/2020,so how much did you pay in federal income taxes in 2008 probably less than trump,United States of America,Tennessee,TN,Donald Trump,0,-0.2\r\n45,10/27/2020,so people thought when trump came down those escalators being racist towards hispanics that he was going to be nice to other races wtf were ya thinking you all knew he was racist mika &amp; joe morningjoe votebluedownballot votebidenharristosaveamerica votethemallout,United States of America,New York,NY,Donald Trump,0,-0.8\r\n46,10/27/2020,so this happened. endorsement bostonherald trump worldweeklynews,United States of America,Texas,TX,Donald Trump,2,0\r\n47,10/27/2020,so we did a thing at target today trump2020tosaveamerica maga election2020 trump,United States of America,Virginia,VA,Donald Trump,2,0\r\n48,10/27/2020,somali-american congresswoman \xe2\x80\x98hates\xe2\x80\x99 us trump tells rally,United States of America,California,CA,Donald Trump,0,-0.6\r\n49,10/27/2020,sruhle to run out of campaign cash is to put on display how the grifter trump has little business acumen.  some genius.,United States of America,California,CA,Donald Trump,2,0\r\n50,10/27/2020,stateofusall i think it will be close due to chicanery.  we are selling trump signs hats paraphernalia over biden by a rate of 50to1.  also in metrodetroit we are seeing yard signs in romulusmichigan that correspond appropriately.  should the vote be anything other be highly suspect.,United States of America,Michigan,MI,Donald Trump,0,-0.3\r\n51,10/27/2020,stephen moore economic issues and the coming election  via youtube trump biden,United States of America,California,CA,Donald Trump,0,-0.3\r\n52,10/27/2020,stimuluschecks  so everybody know there\xe2\x80\x99s not gonna be another check donaldtrump  stoped it and mitchmcconnell  won\xe2\x80\x99t pass money for the people  they won\xe2\x80\x99t even help with ppploans unemployment  these guys has got to go or we will all be broke,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n53,10/27/2020,supremecourtconfirmation barrett confirmed in trump pre-election triumph america2020,United States of America,Texas,TX,Donald Trump,1,0.2\r\n54,10/27/2020,talk about elites and elitism so mitchmcconnell can spend a week passing amyconeybarrett but can\xe2\x80\x99t bother with a covid bill for the people trump &amp; pence can require masks &amp; testing to protect elites at scotus celebration but not to protect plebs attendees at rallies,United States of America,New York,NY,Donald Trump,0,-0.5\r\n55,10/27/2020,that ol' trump magic how he got lenders incl deutsche+fortress to forgive $287m of debt on chicago skyscraper. cre realestate mortgage,United States of America,New York,NY,Donald Trump,0,-0.1\r\n56,10/27/2020,the answer isn't to vote trump out it's to flipthesenateblue otherwise enjoy your new gilead.,United States of America,California,CA,Donald Trump,0,-0.3\r\n57,10/27/2020,the count down to the 3rd  via youtube election trump,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n58,10/27/2020,the entente between the uae  saudiarabia bahrain and now israel provides a strategic asset for advancing trump's hybrid realism and american-focused nationalism.,United States of America,District of Columbia,DC,Donald Trump,1,0.8\r\n59,10/27/2020,the gop have allowed their party to be defined by trump for generations to come. i hope they can live with themselves. they believe in god heaven hell they're going to hell for what they've done. i know right now they think it's worth it but it will haunt them.,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n60,10/27/2020,the left is shook.  vote trump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n61,10/27/2020,the media has enabled trump to devastate america. they have fed him the attention that he craves.  he should have been shut down mikes off no coverage for his nonsense and lies.  the media shamelessly promotes his lies,United States of America,New York,NY,Donald Trump,0,-0.6\r\n62,10/27/2020,the next debate moderator is more biased than you were expecting | dan bongino  love trump world election maga donaldtrump congress political government president america democrat vote usa result midterms liberal bjp,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n63,10/27/2020,the nightmare on pennsylvania avenue ends soon. trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n64,10/27/2020,the pandemic is far from over. it is raging from coast to coast thanks in no small part to the trump administration\xe2\x80\x99s mishandled response.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n65,10/27/2020,the pittsburghpg endorses conspiracy-pushing trump-loving seanparnell. i'm proud to say i already cast my vote for repconorlamb conorlambpa. he has represented me and other working people of pittsburgh well and i know that he will continue to do so. conorlamb voteblue,United States of America,Pennsylvania,PA,Donald Trump,1,0.4\r\n66,10/27/2020,the police could\xe2\x80\x99ve used a less lethal option. philly pa prayforphilly 2020 policebrutality joebiden donaldtrump kamalaharris stop killing black people blacklivesstillmatter help philadelphiapolice violence saveournblackmen 215 westphilly barackobama,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n67,10/27/2020,the president donald trump is a thief. thief trump,United States of America,California,CA,Donald Trump,0,-0.8\r\n68,10/27/2020,the president donald trump shits his pants. incontinence trump,United States of America,California,CA,Donald Trump,0,-0.3\r\n69,10/27/2020,the rust belt boom that wasn't heartland job growth lagged under trump,United States of America,Alaska,AK,Donald Trump,0,-0.4\r\n70,10/27/2020,the soul of our nation is at stake  anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n71,10/27/2020,the u.s. set a new daily record of 68767. white house chief of staff mark meadows on sunday acknowledged that the u.s. is not going to control the pandemic. trump has never had a plan has walked away and as a result america has lost 200000 souls,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n72,10/27/2020,thebeerlegend not so fast florida women/seniors against trump.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n73,10/27/2020,thehill they want a bail-out for their mismanagement. they should endorse biden. he knows all about democrat governors mismanaging their states and begging for a bailout claiming covid as their downfall. trump will tell them to go fly a kite use the resources already given them. \xf0\x9f\x91\x8f,United States of America,New York,NY,Donald Trump,0,-0.4\r\n74,10/27/2020,thehill trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n75,10/27/2020,thekjohnston \xf0\x9f\x98\x82 \xf0\x9f\x98\x82 reminds me of the time the nutbag i married another sociopath like trump came home fuming mad because the pick up soccer game he joined in the park played by spanish speaking guys randomly called out to him \xe2\x80\x9cviejo\xe2\x80\x9d ... viejo get the ball \xf0\x9f\x98\x82 \xf0\x9f\x98\x82,United States of America,California,CA,Donald Trump,0,-0.4\r\n76,10/27/2020,there are still people who think donaldtrump was good for the economy.,United States of America,Minnesota,MN,Donald Trump,0,-0.6\r\n77,10/27/2020,they should hang all the people involved with this and put it on pay per view. give the money to the kids then i\xe2\x80\x99d pay $100 humantrafficking missingkids trump trump2020 pedophelia donaldtrump,United States of America,Nevada,NV,Donald Trump,0,-0.5\r\n78,10/27/2020,they the gop and trump are showing/working/telling you their strategy in broad daylight.,United States of America,Indiana,IN,Donald Trump,0,-0.4\r\n79,10/27/2020,this guy is a typical politician&gt;full of \xf0\x9f\x92\xa9\xf0\x9f\x92\xa9\xf0\x9f\x92\xa9god bless \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8&gt; trump teamtrump2020 realdonaldtrump mike_pence trumpresults,United States of America,Nevada,NV,Donald Trump,0,-0.3\r\n80,10/27/2020,this is a beautiful picture of the incredible people in michigan trump is not you  he is a cheat and never worked a honest day\xe2\x80\x99s labor,United States of America,Florida,FL,Donald Trump,1,0.3\r\n81,10/27/2020,this is a trumplie. taxes pre-paid are part of your tax record. if you pre-paid millions and still owed $750 then your tax record would show millions + $750. this is basic stuff trump.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n82,10/27/2020,this is america gop bidenharris trump2020 trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n83,10/27/2020,this is america gop bidenharris trump2020 trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n84,10/27/2020,this is obviously what president donaldtrump and his campaign want 2020 to be about. the problem that they have is that we're already in recession. and people are dying from the coronavirus not learning to live with it. as he claims,United States of America,Maryland,MD,Donald Trump,0,-0.4\r\n85,10/27/2020,this is perfect and there are so many reasons to walkaway trump trump2020 winning,United States of America,Iowa,IA,Donald Trump,1,0.9\r\n86,10/27/2020,this is realdonaldtrump\xe2\x80\x99s &amp; gop republicans idea of freedom maga ts ..freedom to vote ..people have been voting through the mail for years including trump but all of a sudden since trump is running it\xe2\x80\x99s not ..it\xe2\x80\x99s garbage,United States of America,New York,NY,Donald Trump,0,-0.8\r\n87,10/27/2020,this is the best thing i have seen. i will for sure send this to my maga parents. i can barely speak to them anymorebut i know they need me. he\xe2\x80\x99s done so much to separate families. on every level. trump votethemout trumpmeltdown he needs to go.,United States of America,Florida,FL,Donald Trump,1,0.1\r\n88,10/27/2020,this is us america. first in the world in  of covid19 cases. guess trump made america \xe2\x80\x9cgood\xe2\x80\x9d at something. wearadamnmask vote,United States of America,Maryland,MD,Donald Trump,2,0\r\n89,10/27/2020,this is what a trump supporter said at a rally today in my hometown of bethlehem pa. please don't let the tickledownyourpants make you become an idiot. be smart. vote joebiden joebiden election2020,United States of America,Maryland,MD,Donald Trump,0,-0.2\r\n90,10/27/2020,this is why your vote matters. the climate of hostility that is fostered by trump &amp; cronies must end. biden bidenharris2020 votebluedownballot lesliestahl,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n91,10/27/2020,this photo described what was going to happen 3 years ago by my artist freind \xe2\x81\xa6saifsabah13\xe2\x81\xa9 trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n92,10/27/2020,this scotus ruling would be a little more fair if trump wasn\xe2\x80\x99t sabotaging the us post office.,United States of America,Louisiana,LA,Donald Trump,0,-0.6\r\n93,10/27/2020,time to dump the presidential dilettante \xe2\x80\x94 he's a cruel and incompetent failure - donaldtrump is blindingly cruel and stupid and has done immense damage to america. this is our last chance,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n94,10/27/2020,timobrien sarahcpr trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.4\r\n95,10/27/2020,tony_m_papa andrea6mitchell heroinsmoker lsarsour actually 77000 voters in 3 states gave trump the white house.  if stein voters voted for clinton in mi pa &amp; wi clinton would have been president.,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n96,10/27/2020,top 5 political mistakes  via youtube ilobbyco policyregulation politics bidenharris2020 trump,United States of America,California,CA,Donald Trump,0,-0.7\r\n97,10/27/2020,trending trump tops biden 48% to 47% with 52% approval rating,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n98,10/27/2020,trump,United States of America,California,CA,Donald Trump,2,0\r\n99,10/27/2020,trump,United States of America,Texas,TX,Donald Trump,2,0\r\n100,10/27/2020,trump  is stealing it and dems cant do sht,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n101,10/27/2020,trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n102,10/27/2020,trump believes doctors are idiots covid19 will magically disappear at any moment science can\xe2\x80\x99t be trusted and his gut is more knowledgeable than the experts. oyvey trumpisournationalnightmare,United States of America,California,CA,Donald Trump,0,-0.1\r\n103,10/27/2020,trump biden vie for votes in pennsylvania as election nears,United States of America,California,CA,Donald Trump,2,0\r\n104,10/27/2020,trump by the numbers. pretty telling. votethemout a catastrophic disaster.,United States of America,Texas,TX,Donald Trump,2,0\r\n105,10/27/2020,trump campaign bilks american taxpayers while trumpvirus death toll climbs -  voteoutthegop voteblue2020,United States of America,Hawaii,HI,Donald Trump,0,-0.5\r\n106,10/27/2020,trump campaign insider's blunt prediction about joe biden victory exposed,United States of America,California,CA,Donald Trump,0,-0.1\r\n107,10/27/2020,trump campaign ran a facebook ad implying he won the election which is supposed to be against the company\xe2\x80\x99s\xc2\xa0rules,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n108,10/27/2020,trump clickbait donnie donaldtrump fool,United States of America,New York,NY,Donald Trump,0,-0.8\r\n109,10/27/2020,trump covidiotinchief is accountable for every single covid19 death in the us. he\xe2\x80\x99s a narcissistic sociopath and only cares about himself. literally if everyone around him died he\xe2\x80\x99d call them suckers and losers. vote2020 votebluetosaveamerica,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n110,10/27/2020,trump defamation case ruling says justice dept. can't take over defending a claim against him.,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n111,10/27/2020,trump did it and the us supreme court becomes more conservative,United States of America,New York,NY,Donald Trump,2,0\r\n112,10/27/2020,trump doesn't pay taxes but steals from taxpayers to line his pockets during trump\xe2\x80\x99s term millions of government and gop dollars have flowed to his properties - the washington post votehimout,United States of America,California,CA,Donald Trump,0,-0.7\r\n113,10/27/2020,trump executive order could make hbcus ineligible for nearly all federal funding. politics,United States of America,New York,NY,Donald Trump,0,-0.7\r\n114,10/27/2020,trump halloween costume out of stock in minutes,United States of America,California,CA,Donald Trump,0,-0.1\r\n115,10/27/2020,trump has real estate debts of $1.1b with $900m owed in next four years report says..trump..debt..,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n116,10/27/2020,trump is banking on the fact that the majority of the country are white supremacists. we must prove him wrong votebiden,United States of America,California,CA,Donald Trump,0,-0.8\r\n117,10/27/2020,trump is intent on undermining federal unions which has supported a highly educated racially diverse federal workforce that trump views as a hostile occupying army loyal to the more reliably pro-union democratic party.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n118,10/27/2020,trump is our lawandorder president new police training facility amber alert systems for tribes bia heads the national opioid reduction taskforce and indian law expert gorsuch added to scotus  | nativesfortrump trump fourmoreyears trump2020 acb,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n119,10/27/2020,trump is spreading lies about mail-in voting to preemptively cast doubt on the election results. we cannot rest after election day- we have to be prepared if he attempts to interfere in the count or refuses to concede. join us  protecttheresults \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,New York,NY,Donald Trump,0,-0.5\r\n120,10/27/2020,trump keeps threatening to withhold federal funding from anybody who doesnt kiss his wrinkled racist ass.... and i\xe2\x80\x99ve had beyond enough   thereidout,United States of America,District of Columbia,DC,Donald Trump,0,-0.9\r\n121,10/27/2020,trump lost our jobs,United States of America,Ohio,OH,Donald Trump,0,-0.8\r\n122,10/27/2020,trump lost our jobs &amp; trump lost our lives more importantly,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n123,10/27/2020,trump lying his ass off in pennsylvania rally. election2020,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n124,10/27/2020,trump makes up a story about a plane crash killing 500 people to white wash the covid pandemic. then you\xe2\x80\x99re all ok with that. and you\xe2\x80\x99re all ok with up is down and wrong is right. shame on the right... rnc2020 bidenharris2020 trump gopcorruptionovercountry,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n125,10/27/2020,trump needs to run up the numbers in wright scott and carver counties in minnesota.,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n126,10/27/2020,trump plan from the start killtheelders,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n127,10/27/2020,trump refused to grant tps to venezuelans who want to flee the dangerous regime &amp; poverty caused by maduro\xe2\x80\x99s government. he would rather see our people die of starvation &amp; suffer under an oppressive regime in our country than to acknowledge our humanity,United States of America,Puerto Rico,PR,Donald Trump,0,-0.8\r\n128,10/27/2020,trump should buy a golf simulator,United States of America,Virginia,VA,Donald Trump,2,0\r\n129,10/27/2020,trump supporters beyond the fence at the joebiden event in atlanta can be heard chanting \xe2\x80\x9cfour more years\xe2\x80\x9d and \xe2\x80\x9ctrump\xe2\x80\x9d bideninatlanta gapol,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n130,10/27/2020,trump takes his covid19 misinformation to the campaign trails in these closing days folks  thereidout,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n131,10/27/2020,trump trump trump2020  trumpcollapse  donaldtrump gopbetrayedamerica  donaldtrump2020  trumpliesamericansdie trumplied225kdied  joewillleadus bidenharris2020 bidencares  joebidensneighborhood,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n132,10/27/2020,trump was a pos back then still a pos now.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n133,10/27/2020,trump was elected to rid the worst scum from our society he was in position to actually get on rushmore instead he listened to the rot &amp; filled the swamp the same rot that loves biden. wallst weaponmakers hollywood healthcareparasites msm prisonsys russiagaters ....,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n134,10/27/2020,trump whattafcvkingliar realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n135,10/27/2020,trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n136,10/27/2020,trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n137,10/27/2020,trump's a co-conspirator,United States of America,Ohio,OH,Donald Trump,0,-0.1\r\n138,10/27/2020,trump's art of the steal - when in trouble cheat the american taxpayer.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n139,10/27/2020,trump's twatter censored tweet again voterfraud is real &amp; it can throw an election election2020,United States of America,Arizona,AZ,Donald Trump,0,-0.5\r\n140,10/27/2020,trump...........horsefeathers i dont have covid-19 it is my new suntan spray lmaoooooo oink oink i feel sooo piggish lolllll,United States of America,New York,NY,Donald Trump,2,0\r\n141,10/27/2020,trump...........wow and now jared kushner the moronic son in law of trump said black people do not know what they are doing,United States of America,New York,NY,Donald Trump,0,-0.7\r\n142,10/27/2020,trump.....havent you noticed lately that jurad and ivunka have been getting thier panty's all twsited up both are ovulating lmaoooooo,United States of America,New York,NY,Donald Trump,0,-0.6\r\n143,10/27/2020,trump2020 trump maga hillary amyconeybarrett amyconeybarrettscotus acbconfirmation,United States of America,Florida,FL,Donald Trump,1,0.1\r\n144,10/27/2020,trump2020 trump realdonaldtrump,United States of America,New York,NY,Donald Trump,2,0\r\n145,10/27/2020,trump2020 trump2020landslide americafirst trump maga kag voteredtosaveamerica,United States of America,Arizona,AZ,Donald Trump,2,0\r\n146,10/27/2020,trump2020landslidevictory trump2020tosaveamerica trump,United States of America,California,CA,Donald Trump,2,0\r\n147,10/27/2020,trump_owo realdonaldtrump trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n148,10/27/2020,trumpispathetic trump,United States of America,Texas,TX,Donald Trump,2,0\r\n149,10/27/2020,trumpvirus trumpvirusdeathtoll275k trump,United States of America,California,CA,Donald Trump,2,0\r\n150,10/27/2020,trump\xe2\x80\x99s campaign website hacked by cryptocurrency\xc2\xa0scammers,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n151,10/27/2020,tune in on 11/3 electionday to listen to my radio/journalism class live cover the election important races and trending election social media news wcrxelection columbiacollegechi chicago biden trump,United States of America,Illinois,IL,Donald Trump,2,0\r\n152,10/27/2020,uh oh for trump...,United States of America,California,CA,Donald Trump,2,0\r\n153,10/27/2020,unbelievable what century does trump live in,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n154,10/27/2020,update trump campaign releases statement after business reports pulls ads in florida. calls bloomberg report horribly wrong citing 7-figure coordination ad buy with the rnc. election2020,United States of America,Oklahoma,OK,Donald Trump,0,-0.3\r\n155,10/27/2020,us judge rejects doj bid to shield trump from rape defamation lawsuit ejeancarroll metoo trump,United States of America,California,CA,Donald Trump,0,-0.5\r\n156,10/27/2020,via borowitzreport americans favor continuing to mute trump after debate  | trump election maga,United States of America,New York,NY,Donald Trump,0,-0.2\r\n157,10/27/2020,via crooksandliars anti-trump republican scorches the gop trump enablers 'they didn't save anything'  | trump gop republicans,United States of America,New York,NY,Donald Trump,0,-0.7\r\n158,10/27/2020,via crooksandliars judge trump can't pretend he's above the law in e. jean carroll case  | trump gop republicans,United States of America,New York,NY,Donald Trump,0,-0.5\r\n159,10/27/2020,via crooksandliars sad sack bill bennett whines about obama's fiery orlando speech  | trump gop republicans,United States of America,New York,NY,Donald Trump,0,-0.7\r\n160,10/27/2020,via glennkesslerwp trump-friendly singer distributes faulty talking points on child trafficking  | trumplies trump maga2020,United States of America,New York,NY,Donald Trump,0,-0.6\r\n161,10/27/2020,via huffpostqueer lgbtq advocates shred tiffany trump's speech at 'trump pride' event  | trump lgbt politics,United States of America,New York,NY,Donald Trump,0,-0.6\r\n162,10/27/2020,via joshtpm face off at the last chance corral  | politics trump elections,United States of America,New York,NY,Donald Trump,0,-0.6\r\n163,10/27/2020,via joshtpm facebook generates extremism for society and profits for investors  | politics trump elections,United States of America,New York,NY,Donald Trump,0,-0.8\r\n164,10/27/2020,via joshtpm the last clash debate blogging  | politics trump elections,United States of America,New York,NY,Donald Trump,0,-0.2\r\n165,10/27/2020,via jrubinblogger four big constitutional fixes we need thanks to trump  | trump congress elections,United States of America,New York,NY,Donald Trump,1,0.2\r\n166,10/27/2020,via jrubinblogger this final sprint explains why trump is heading for defeat  | trump congress elections,United States of America,New York,NY,Donald Trump,0,-0.1\r\n167,10/27/2020,via jrubinblogger with a resounding victory democrats can protect us from the next trump  | trump congress elections,United States of America,New York,NY,Donald Trump,1,0.2\r\n168,10/27/2020,via markos to freak out or not here's what the polls say this week about the state of the presidential race  | politics p2 trump,United States of America,New York,NY,Donald Trump,0,-0.7\r\n169,10/27/2020,via motherjones america\xe2\x80\x99s immigration system was already broken. trump made a weapon out of its shards.  | politics trump election2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n170,10/27/2020,via motherjones pope francis endorsing civil unions was a huge deal. these lgbtq catholics know exactly why.  | politics trump election2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n171,10/27/2020,via motherjones the us government has paid trump\xe2\x80\x99s businesses at least $2.5 million\xe2\x80\x94including $3 for water  | politics trump election2020,United States of America,New York,NY,Donald Trump,0,-0.3\r\n172,10/27/2020,via motherjones what happened to the investigation into the fbi\xe2\x80\x99s 2016 leaks  | politics trump election2020,United States of America,New York,NY,Donald Trump,0,-0.5\r\n173,10/27/2020,via natesilver538 control of redistricting is up for grabs in 2020. here are the races to watch.  | polls polling trump,United States of America,New York,NY,Donald Trump,2,0\r\n174,10/27/2020,via natesilver538 is joe biden toast if he loses pennsylvania  | polls polling trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n175,10/27/2020,via natesilver538 the cases where amy coney barrett\xe2\x80\x99s presence on the supreme court could make a difference immediately  | polls polling trump,United States of America,New York,NY,Donald Trump,1,0.1\r\n176,10/27/2020,via natesilver538 why millions of americans don\xe2\x80\x99t vote  | polls polling trump,United States of America,New York,NY,Donald Trump,0,-0.7\r\n177,10/27/2020,via natioinalmemo patriotism on full display \xe2\x80\x94by chickenhawks like trump  | via joeconason politics trump nationalsecurity,United States of America,New York,NY,Donald Trump,0,-0.3\r\n178,10/27/2020,via newcivilrights nyt bombshell reveals banks forgave $287 million in debt trump failed to repay \xe2\x80\x93 and he never paid taxes on it  | civilrights lgbtq trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n179,10/27/2020,via newscorpse trump spends most of the 60 minutes interview lying and whining about the media  | foxnews trump propaganda,United States of America,New York,NY,Donald Trump,0,-0.5\r\n180,10/27/2020,via rawstory bolivia\xe2\x80\x99s morales calls for calm after protesters demand junta  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.1\r\n181,10/27/2020,via rawstory joni mitchell still \xe2\x80\x98struggling\xe2\x80\x99 to walk following 2015 brain aneurysm  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n182,10/27/2020,via rawstory trump pulls ads out of florida as his campaign funds dwindle report  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n183,10/27/2020,via rawstory trump-loving lawmaker openly mocks joe biden\xe2\x80\x99s stutter during campaign call  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.5\r\n184,10/27/2020,via rawstory trump\xe2\x80\x99s website hacked and defaced to stop the \xe2\x80\x98fake-news\xe2\x80\x99 spread by the president report  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n185,10/27/2020,via rawstory white house science office celebrates trump \xe2\x80\x98ending\xe2\x80\x99 the covid-19 pandemic \xe2\x80\x94 as us hits new record cases  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.2\r\n186,10/27/2020,via rawstory \xe2\x80\x98no wonder he\xe2\x80\x99s losing suburban women\xe2\x80\x99 trump flattened for promise he\xe2\x80\x99s putting \xe2\x80\x98your husbands back to work\xe2\x80\x99  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.8\r\n187,10/27/2020,via splcenter trump official brought hate connections to the white house  | trump hate racism,United States of America,New York,NY,Donald Trump,0,-0.8\r\n188,10/27/2020,via tpm whitmer hits back at trump after repeated attacks \xe2\x80\x98he has only lies vitriol and hate\xe2\x80\x99  | trump politics election2020,United States of America,New York,NY,Donald Trump,0,-0.8\r\n189,10/27/2020,via tpm \xe2\x80\x98husbands back to work\xe2\x80\x99 trump\xe2\x80\x99s last-ditch plea to suburban women falls flat  | trump politics election2020,United States of America,New York,NY,Donald Trump,0,-0.6\r\n190,10/27/2020,vote donaldtrump joebiden presidentialelection2020,United States of America,Ohio,OH,Donald Trump,1,0.3\r\n191,10/27/2020,vote this cunexttuesday out of office next tuesday. electionday trump trumpsterfire election2020 election,United States of America,Connecticut,CT,Donald Trump,2,0\r\n192,10/27/2020,vote trump out can\xe2\x80\x99t believe what this country\xe2\x80\x99s turning into trump,United States of America,Missouri,MO,Donald Trump,0,-0.7\r\n193,10/27/2020,vote trump out... for peace,United States of America,District of Columbia,DC,Donald Trump,1,0.2\r\n194,10/27/2020,vote trump \xe2\x9d\x8c37  constitution park,United States of America,California,CA,Donald Trump,1,0.1\r\n195,10/27/2020,votethemallout2020 votethemallout  gop  republicans  trump mitchmcconnell,United States of America,California,CA,Donald Trump,1,0.1\r\n196,10/27/2020,voting vote election elections politics democracy electionday  trump ivoted govote voterregistration voter government votingday america votered repost,United States of America,California,CA,Donald Trump,0,-0.5\r\n197,10/27/2020,war johnnyintexas in cali or new york war donaldtrump,United States of America,Texas,TX,Donald Trump,2,0\r\n198,10/27/2020,washingtonpost realdonaldtrump realdonaldtrump  your going to need her very soon trump,United States of America,New York,NY,Donald Trump,1,0.4\r\n199,10/27/2020,waynedupreeshow jack mcfarland in drag would have done a better job lol trump,United States of America,New York,NY,Donald Trump,0,-0.7\r\n200,10/27/2020,we desperately have and need to cleanhouse in washington... vote them all out... donaldtrump... mitchmcconnell... lindseygraham... susancollins... williambarr... and the rest of the gop rescueamericafromthegop bidenharris2020 americansdeservebetter,United States of America,Michigan,MI,Donald Trump,1,0.1\r\n201,10/27/2020,we must shift to renewable energy over time  joebiden. thats a 100% fact that even the oil industry understands. they are investing in renewable energy as well. donaldtrump is good at 1 thing consistently being on the wrong side of any issue. tuesdaymorning voteblue2020,United States of America,Texas,TX,Donald Trump,1,0.2\r\n202,10/27/2020,we need to get trump out of office. more damage every day. via nytimes,United States of America,New York,NY,Donald Trump,0,-0.3\r\n203,10/27/2020,we still have an fbi and other federal agencies don't we listen to what trump is saying about joebiden. he must be held accountable. please listen.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n204,10/27/2020,well i guess no one could turn texas blue like trump,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n205,10/27/2020,well the trump base is getting all kinds of served... silentmajority,United States of America,California,CA,Donald Trump,2,0\r\n206,10/27/2020,we\xe2\x80\x99re better than this. aren\xe2\x80\x99t we trump,United States of America,New York,NY,Donald Trump,0,-0.5\r\n207,10/27/2020,what does the prior dir. of the cdc during obama\xe2\x80\x99s term have to say about trump &amp; covid19 \xe2\x80\x9cthis is one of the greatest public health failures the united states has ever experienced.\xe2\x80\x9d-drtomfrieden   fr thecircus  trump\xe2\x80\x99s incompetence caused lives &amp; jobs to be lost,United States of America,Michigan,MI,Donald Trump,0,-0.7\r\n208,10/27/2020,whatishonorable joebiden have you seen the growth in other countries  masks are like condoms.  not a guarantee - but reduces the risk.  that's all.  and joebiden2020 isn't saying lock down.  he is saying open open open and putting in guidance to minimize the spread.  donaldtrump is in denial,United States of America,New York,NY,Donald Trump,0,-0.2\r\n209,10/27/2020,when donaldtrump says \xe2\x80\x9cwe are rounding the curve with covid__19 he is right. finally i agree with trump. yes we are 9 days away to end with trumpvirus impeachmentday is close.,United States of America,Florida,FL,Donald Trump,1,0.1\r\n210,10/27/2020,when you can\xe2\x80\x99t read the real text written in the language it was intended to be comprehended from within that cultural context and you make shit up along the way to benefit yourself then you can call yourself a cult or a christian.  dumb ignorance christianity trump dumb,United States of America,California,CA,Donald Trump,0,-0.8\r\n211,10/27/2020,where trump goes coronavirus follows analysis shows spike in covid-19 cases after numerous trump rallies..trump..gop..covid19..,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n212,10/27/2020,which america do you want your children to grow up in the darkwinter one that joebiden promises or the bright and hopeful one that trump promises voteredtosaveamerica2020,United States of America,Tennessee,TN,Donald Trump,0,-0.3\r\n213,10/27/2020,which melania trump double is the best skeptics look it up... politics are all about appearances. she must really despise trump. apparently they have separate bedrooms in wh. she renegotiated her prenup recently too. which pic is the best melaniadouble,United States of America,Washington,WA,Donald Trump,0,-0.1\r\n214,10/27/2020,white house science office says trump ended covid pandemic as us hits record cases thehill whitehouse,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n215,10/27/2020,whitehouse realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n216,10/27/2020,whitehouse realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n217,10/27/2020,whitehouse realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n218,10/27/2020,whitehouse realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n219,10/27/2020,whitehouse realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n220,10/27/2020,whitehouse realdonaldtrump taxpayers are paying for trump it will come out more clearly now after his ride of economic improvements that were started under obamabiden have run it's course... leaving once again democrats to repair the failures.  + trump's a theif,United States of America,California,CA,Donald Trump,0,-0.4\r\n221,10/27/2020,who does donald trump owe money to   putinspuppet corrupttrump trumpcrimefamilyforprison trumpschinesebankaccount votehimoutandlockhimup vote election2020 votebluedowntheballot,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n222,10/27/2020,why are the gop and trump assaulting our democracy,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n223,10/27/2020,why does   biden need  president  obama to help get votes in you don\xe2\x80\x99t see  president donald trump using anyone just saying. maga trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n224,10/27/2020,why it seems trump will win - the red hat pt2 election2020 trump censorship explicit latinovote latinofortrump  via youtube,United States of America,New York,NY,Donald Trump,0,-0.8\r\n225,10/27/2020,why will you take a vax just because trump pushes it why will you ignore the censorship online because trump ignores it what happened to \xe2\x80\x9cending the fed\xe2\x80\x9d and \xe2\x80\x9ctaxation is theft\xe2\x80\x9d trump \xe2\x80\x9cdrains the swamp\xe2\x80\x9d by exposing biden &amp; people will except that\xe2\x80\x99s as deep as it goes.,United States of America,Maryland,MD,Donald Trump,0,-0.8\r\n226,10/27/2020,with the covid-19 pandemic dragging on and the economy in a funk the trump administration's promises have confronted harsh realities.,United States of America,Montana,MT,Donald Trump,0,-0.8\r\n227,10/27/2020,wow.  trump,United States of America,Maryland,MD,Donald Trump,1,0.4\r\n228,10/27/2020,wwd sarahcpr netflix trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n229,10/27/2020,you are afraid of putin you are not a hero. putin trump,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n230,10/27/2020,you can change your vote to trump if you realized you made a mistake in voting for biden,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n231,10/27/2020,you can improve the world today when you cast your vote against fascism votebluetosaveamerica2020 from trump votehimout2020,United States of America,Washington,WA,Donald Trump,2,0\r\n232,10/27/2020,your democratic nominee \xf0\x9f\x99\x84\xf0\x9f\x98\x82\xf0\x9f\x98\x82 such a joke. trump maga vote,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n233,10/27/2020,youranonnews trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n234,10/27/2020,you\xe2\x80\x99re going to miss trump when he\xe2\x80\x99s gone. the gravy train ends.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n235,10/27/2020,zachjourno pure power move gop asserted of raw power mucking barrett even if trump lose nov 3 his legacy will win for a long time with conservative shift one day the shift will change &amp; i home democats do the same for progressive movement thedemocrats mondayvibes election2020,United States of America,Ohio,OH,Donald Trump,2,0\r\n236,10/27/2020,zerohedge fake news it's up  trump,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n237,10/27/2020,\xc2\xbfpor qu\xc3\xa9 el sistema de colegio electoral favorece a donald trump colegio donaldtrump electorales,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n238,10/27/2020,\xe2\x80\x98hello stupid\xe2\x80\x99 by sherrymcguinn1  societypolitics stupidpeople rant trump humor,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n239,10/27/2020,\xe2\x80\x9cback the blue\xe2\x80\x9d merchandise for sale outside the trump rally in lansing. lsjnews,United States of America,Michigan,MI,Donald Trump,1,0.1\r\n240,10/27/2020,\xe2\x80\x9cthree weeks in joe is shot...\xe2\x80\x9d on fifth avenue trump is one sick dude. and dangerous.,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n241,10/27/2020,\xe2\x9d\xa4\xef\xb8\x8flove this video   \xf0\x9f\x8e\xb6i voted for man named trump \xf0\x9f\x8e\xb6,United States of America,New York,NY,Donald Trump,1,0.9\r\n242,10/27/2020,\xf0\x9f\x91\x80 just before 2016 electionday -   clinton has solid lead in electoral college; trump\xe2\x80\x99s winning map is unclear -,United States of America,Massachusetts,MA,Donald Trump,0,-0.3\r\n243,10/27/2020,\xf0\x9f\x93\xb7 realdonaldtrump donaldtrump racist amerikkka blacklivesmatter voteblue2020 voteblue joebiden bidenharris2020 at atlanta georgia,United States of America,Georgia,GA,Donald Trump,2,0\r\n244,10/27/2020,\xf0\x9f\x94\xb4 watch live president trump holds makeamericagreatagain rally in om...  i used to be a democrat supporting democrat\xe2\x80\x99s and campaigning for obama so it\xe2\x80\x99s not too late to walkaway usa maga election2020 vote,United States of America,New York,NY,Donald Trump,2,0\r\n245,10/28/2020,is trump hypnotizing us hypnosismic hypnotherapy trump bebest theculturalcorner podcast truecrime trump2020 trumpcovid trumpislosing,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n246,10/28/2020,trump trump2020 bidenharris2020 biden election2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n247,10/28/2020,why do black entertainers always get a seat at the table houstonpodcast theculturalcorner rapper youngjeezy thetalk blackissues steveharvy icecube joebiden trump trump2020 blackpeople blm houstonpodcast dallaspodcast eplasoppodcast,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n248,10/28/2020,'anonymous' revealed former dhsgov aide miles taylor says he wrote scathing opinion piece on president trump.  via usatoday,United States of America,Kentucky,KY,Donald Trump,0,-0.3\r\n249,10/28/2020,'we need you' gop hunts for new voters in trump territory,United States of America,Iowa,IA,Donald Trump,0,-0.1\r\n250,10/28/2020,- oha releases newest covid-19 figures ...nine more deaths  \xe2\x80\xa6 covid_19 oregon pdx orpol portland beaverton lakeoswego electionday trump biden gop democrats,United States of America,Oregon,OR,Donald Trump,0,-0.1\r\n251,10/28/2020,...trump has yet to get involved personally to stop this war. armenia afghanistan,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n252,10/28/2020,.joebiden campaign statement on trump sanctions that hurt cuban families \xe2\x80\x9cpresident trump's war on family remittances is a cruel distraction from his administration's failure to advance democracy in cuba. westernunion  is the largest remittance service on the island.,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n253,10/28/2020,.realdonaldtrump is a coward. all he knows how to do is cut and run. cut and run like a little coward. from vietnam from cnn from lesleyrstahl &amp; 60minutes. i've seen tougher 5-year-olds... trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n254,10/28/2020,.trump has given up fighting covid. now florida potus realdonaldtrump teamtrump maga maga2020 markmeadows markmeadows trumpislosing floridaforbiden,United States of America,New York,NY,Donald Trump,0,-0.2\r\n255,10/28/2020,.trump thinks because he puts on a nasty therealdiceclay comedy show for a couple thousand cackling cultists that it somehow means a majority of americans will vote for him. let\xe2\x80\x99s hope he\xe2\x80\x99s wrong...,United States of America,New York,NY,Donald Trump,0,-0.8\r\n256,10/28/2020,1stsveltecelt we need to hold someone accountable for the deaths of americans who have died from covid trump is in a diseased state and unfit to lead. voteearly votebidenharris2020 votebidenharristosaveamerica,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n257,10/28/2020,230 times up \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trump,United States of America,Arizona,AZ,Donald Trump,0,-0.1\r\n258,10/28/2020,5/x ask yourself that but for poor don jr. in all his pathetic bemoaning tweeting from his bed about the big bad meany algorithms and the hysterical hissy fits of trump we would be wasting time during the election and covid19 on this garbage. tellthetruth -and no label- \xf0\x9f\xa4\xb7\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n259,10/28/2020,74410 new cases &amp; 983 new deaths but trump thinks he ended the covid pandemic. trumphasnoclue,United States of America,California,CA,Donald Trump,2,0\r\n260,10/28/2020,a crowd waits for president donaldtrump to depart af1 in bullheadcity arizona. watch the rally live here once he begins speaking,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n261,10/28/2020,a deep dive by usatoday shows trump's thousands of lawsuits over three decades.,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n262,10/28/2020,a federal judge ruled that the writer e. jean carroll\xc2\xa0could sue trump\xc2\xa0over a decades-old rape allegation. the justice department had tried to block her suit.,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n263,10/28/2020,a lesson in how much trump doesn't really care. crowd was his prop. trumpdoesnotcareaboutyou votebiden,United States of America,New York,NY,Donald Trump,0,-0.2\r\n264,10/28/2020,a lot of people ask me why i would not vote for trump and the answer is quite simple.  as a black man i can't see me supporting any candidate that the leader of the kkk and every openly racist and hategroup wants to keep in power regardless of how i feel about biden,United States of America,Massachusetts,MA,Donald Trump,0,-0.3\r\n265,10/28/2020,a trump voter recently said he didn't think i could be a christian and vote biden. the rest of the conversation didn't go well. if you're a person of faith and you think that i'd just ask you to watch this sermon from revdrbarber before you vote.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n266,10/28/2020,absolutly  maga trump vote,United States of America,New York,NY,Donald Trump,2,0\r\n267,10/28/2020,acovellis fox32news republicans are the ones peddling bs about covid from trump on down. you don't care if people die.,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n268,10/28/2020,acyn apparently aoc is living rent free in  trump\xe2\x80\x99s cabeza tambien trumpispathetic,United States of America,California,CA,Donald Trump,0,-0.6\r\n269,10/28/2020,after 2 weeks of multiple health screens and asking everyone to vote for him trump joined his closest inner circle with a trip to trumptower where he could pretend things were normal just for a brief moment in time. trumpcollapse trumpmeltdown,United States of America,Texas,TX,Donald Trump,2,0\r\n270,10/28/2020,after peddling trump-russia hit-pieces before 2016 election - msm totally ignores bobulinski bombshells on bidens | zero hedge  election2020 electionday trump bidenharris2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n271,10/28/2020,after the tucker interview if you live in a state where you can change your vote and you voted for traitorjoe .......go switch your vote to trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n272,10/28/2020,agree trump is the best thing since slice bread.,United States of America,North Carolina,NC,Donald Trump,1,0.5\r\n273,10/28/2020,ahead of election a handful of world leaders voice support for trump,United States of America,California,CA,Donald Trump,1,0.3\r\n274,10/28/2020,air force one has landed in bullheadcity after departing lasairport in lasvegas for a rally scheduled to begin around now. follow kelseymarie_tv for updates and watch a livestream here  donaldtrump,United States of America,Nevada,NV,Donald Trump,0,-0.1\r\n275,10/28/2020,all i can say is karma you follow a cult leader this is what you get \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f just the same as you dont wear a mask \xf0\x9f\x98\xb7 you deserve coronavirus \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f trump trumprallyomaha,United States of America,Oklahoma,OK,Donald Trump,0,-0.7\r\n276,10/28/2020,altos exfuncionarios republicanos votar\xc3\xa1n por biden ya que trump amenaza el estado de derecho -  evnews joebiden donaldtrump elecciones2020,United States of America,Florida,FL,Donald Trump,2,0\r\n277,10/28/2020,always been curious about why many farmers support trump despite tradewars &amp; now i know the answer subsidies. once again trump is throwing $ at problems like a dirty bandaid on a wound. but will this be enough as covid continues doubtit flfa20,United States of America,New York,NY,Donald Trump,0,-0.2\r\n278,10/28/2020,and he\xe2\x80\x99s just a really shitty human being. like for real. tbh it\xe2\x80\x99s my bday and i\xe2\x80\x99m getting hammered and talking shit about trump because i just don\xe2\x80\x99t give a fuck anymore. how you can support a person like this is beyond me,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n279,10/28/2020,and the bonespurs award goes to ... as seen in capitolhill washingtondc vote magats trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n280,10/28/2020,and trump will be able to get vaccines \xf0\x9f\x92\x89 to all of us \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 where are jasonmillerindc mistresses,United States of America,Ohio,OH,Donald Trump,2,0\r\n281,10/28/2020,andrewfeinberg c'mon the question isn't just how can anyone vote for trump now but how did anyone vote for trump in the first place. truth is; america is not as good as we all want to believe and trump has proven it urbanagenda bospoli mapoli commuityfirst elections2020,United States of America,Massachusetts,MA,Donald Trump,0,-0.7\r\n282,10/28/2020,andyjmills76 dap2cool trump lowered the deficit. difficult task but stopped obama/biden admin. that gave away american taxpayers hard earned monies to foreign countries &amp; illegal weapons trade of 'fast &amp; furious gun trafficking.'  huge deficit in trillions is due to obama/biden era. sad but true,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n283,10/28/2020,another trump following whack job...,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n284,10/28/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n285,10/28/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n286,10/28/2020,aoc traite trump de \xe2\x80\x9cmotherfuckers\xe2\x80\x9d dans son portrait de vanity fair. je sens que \xc3\xa7a va pas lui faire que du bien...,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n287,10/28/2020,ap that's what trump has been saying all along he is doing what is needed to be done. biden will be picking up the loose ends and not very well. there are no magic wands.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n288,10/28/2020,are you guys taking acid or something...you are really looking at trumps america it happening under trump...what idiots...or should say russian idiots,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n289,10/28/2020,asked why he did not testify at trump's impeachment hearings as several members of his nsc staff did ambjohnbolton basically answers that he saved it to make money in his book.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n290,10/28/2020,asking all of you not to vote for trump...the world depends on it.,United States of America,Colorado,CO,Donald Trump,0,-0.6\r\n291,10/28/2020,at this point if you\xe2\x80\x99re still voting for joe biden you might as well call yourself a chinese nationalist trump maga $btc,United States of America,California,CA,Donald Trump,0,-0.7\r\n292,10/28/2020,atrupar what's trump smoking,United States of America,California,CA,Donald Trump,1,0.1\r\n293,10/28/2020,bad things happen in philadelphia realdonaldtrump philadelphia philly pa 2020election trump joebiden gta looting riots protests blm williamwallacejr acab police cvs meme grandtheftauto grandtheftphilly badthingshappeninphiladelphia,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n294,10/28/2020,bagdmilksowhat she was also hyping up trump's yuge number of rally attendees but of course no mention of individual1 abandoning them to find their own way back to their vehicles afterwards,United States of America,Arizona,AZ,Donald Trump,0,-0.8\r\n295,10/28/2020,biden hits trump for leaving his supporters to freeze to death in omaha. biden said trump only cares about his photo-op and leaves everyone else to clean up his damage. politics 2020election,United States of America,New York,NY,Donald Trump,0,-0.6\r\n296,10/28/2020,biden just needs to win florida. but if trump wins florida he will have to win these combinations of states to get to 270. elections2020,United States of America,Illinois,IL,Donald Trump,2,0\r\n297,10/28/2020,biden leads trump by 12 in new national poll thehill,United States of America,Texas,TX,Donald Trump,2,0\r\n298,10/28/2020,bidenharris2020 trump,United States of America,California,CA,Donald Trump,2,0\r\n299,10/28/2020,bidenharris2020 trump,United States of America,California,CA,Donald Trump,2,0\r\n300,10/28/2020,bobulinski cnn msnbc foxnews abc four different news organizations very different coverage. trump2020 trump fakenews,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n301,10/28/2020,boy how trump and biden got these wypipo acting is beyoooonnnd me,United States of America,North Carolina,NC,Donald Trump,0,-0.5\r\n302,10/28/2020,but i thought trump brought back football,United States of America,California,CA,Donald Trump,0,-0.4\r\n303,10/28/2020,buzzfeednews we know who - donaldtrump - just painted a scenario where four weeks from now - or is it three weeks after the inauguration that joebiden  \xe2\x80\x9cis shot\xe2\x80\x9d and asks of kamalaharris  is \xe2\x80\x9cready\xe2\x80\x9d. well. we know he knows he losing. i hope security is paying  attention to the death threat,United States of America,California,CA,Donald Trump,0,-0.4\r\n304,10/28/2020,by hook or by crook trump is hellbent on killing his own supporters. if not with coronavirus then hypothermia will have to do in a pinch. trumpcovid,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n305,10/28/2020,bye trump. get ready for arrest,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n306,10/28/2020,can someone tell my how hunterbiden is doing in the polls because trump and guliani are out here tearing him a new one trumplogic,United States of America,California,CA,Donald Trump,0,-0.7\r\n307,10/28/2020,catturd2 drthomaspaul that's why wray will be fired come january if trump 2020 wins. if creepyunclejoe wins wray will be promoted a higher intelligence as a thank you from the deep state,United States of America,California,CA,Donald Trump,0,-0.1\r\n308,10/28/2020,chad sees african black soap at walmart and has a meltdown  trump antifa joebiden trumptrain sjw snowflake liberal fail,United States of America,Colorado,CO,Donald Trump,0,-0.6\r\n309,10/28/2020,chaos. vote trump makeamericasafeagain maga,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n310,10/28/2020,chipfranklin me. trump,United States of America,Virginia,VA,Donald Trump,0,-0.1\r\n311,10/28/2020,cnn govinslee govinslee allowed chaz chop to go on for 6 weeks. he has zero credibility. his endorsement of crookedbiden should be a rallying call to vote trump instead.,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n312,10/28/2020,cnn should quit giving scott jennings' trump sycophancy any more oxygen trump is evil and sick and giving him continued legitimacy only diminishes cnn's credibility not trump's trump has no more credibility to diminish,United States of America,Oklahoma,OK,Donald Trump,0,-0.9\r\n313,10/28/2020,cnn won't run pro-trump ad warning biden will raise taxes on middle class\xe2\x80\x94and jeffbezos wants to buy cnn  thehill,United States of America,New York,NY,Donald Trump,0,-0.7\r\n314,10/28/2020,coming up now cortessteve on trump in nevada erictrump at latinosfortrump event and more. listen live at,United States of America,Nevada,NV,Donald Trump,2,0\r\n315,10/28/2020,conorjrogers projectlincoln aren\xe2\x80\x99t we tired of the bullshit iowa trump trumprally votehimout dumptrump votebidenharris2020,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n316,10/28/2020,crookedbiden crookedjoe crookedjoebiden crookedbidenfamily saynotojoe slowjoe trump2020 trump2020landslide compromised tonybobulinski bidencrimefamiily canichangemyvote walkaway bidenfamilycorruption foxnews joebiden maga kag2020 trump plausibledeniability,United States of America,New York,NY,Donald Trump,0,-0.2\r\n317,10/28/2020,cruel  via youtube how trump trumpers moscowmitch gopbetrayedamerica gopcowards marcorubio republicans treat the most vulnerable - children.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n318,10/28/2020,cwarzel yes and we know the ny times never colluded with the dnc or acted as a de facto soviet politburo on their behalf. as if smh trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n319,10/28/2020,da_larrykrasner fails again. is he making a pass at trump,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n320,10/28/2020,damn and shocking. donaldtrump  president covid19 usa cnn foxnews bidenharris2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n321,10/28/2020,damn. hacked trump,United States of America,Oklahoma,OK,Donald Trump,0,-0.5\r\n322,10/28/2020,dangchick1 i don't know...trump does a good job of mocking trump...but he doesn't know it....does that count,United States of America,Louisiana,LA,Donald Trump,0,-0.1\r\n323,10/28/2020,davenewworld_2 i hear trump gop republicans are trying to determine what republican candidates she should be endorsing. she would be the perfect opening act at a trump2020 rally. i can see the maga love flowing for her now. sad,United States of America,New York,NY,Donald Trump,2,0\r\n324,10/28/2020,davidcorndc realdonaldtrump there's little chance that deutsche bank holds any of the risk on loans they made to trump. what they haven't written off has to have been sold or guaranteed. understanding who has either bought or guaranteed these loans is the key to understanding who trump is beholden to.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n325,10/28/2020,davidenrich malcolmnance realdonaldtrump he will default. teump has no liquid cash. and trump is a sociopath. sociopaths do not pay debts; they do live off of other peoples money.,United States of America,California,CA,Donald Trump,0,-0.4\r\n326,10/28/2020,davidfrum screwing the very people who enable you is vintage trump.,United States of America,California,CA,Donald Trump,0,-0.8\r\n327,10/28/2020,deanobeidallah politico that's a shame. bush v gore which 3 current republican scotus justices appointed by trump fought for says you can't have different rules for different counties.,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n328,10/28/2020,dear gop.  while your relatives are dying the white house baldly lies that thanks to trump  covid-19 has ended. their lies are killing you white house science office takes credit for 'ending' pandemic as infections mount  via politico,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n329,10/28/2020,dear trump supporters - growing up gay was not easy. it was in fact really fucking hard lonely and at one point soul crushing. do you think any child would chose to be put through that,United States of America,New York,NY,Donald Trump,0,-0.6\r\n330,10/28/2020,debates2020 trump's steroidal fueled rage racism and pathological lying. followed days later by a walk off mid-interview on 60minutes then using his scotus appointment amyconeybarrett to participate in his whitehouse campaign theatre. unprecedented. magaspiral covid19,United States of America,California,CA,Donald Trump,2,0\r\n331,10/28/2020,democrats introduce legislation to reverse trump patronage class executive order,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n332,10/28/2020,did i forget to mention \xf0\x9f\x91\x87 is my creation \xf0\x9f\x92\x81\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f\xf0\x9f\xa4\xa3 thx to despacito n had 2 make fun of biden esp as the media pretends \xe2\x80\x9cthe laptop\xe2\x80\x9d doesn\xe2\x80\x99t exist and is russian disinformation \xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f had fun creating this with 2 of my friends. enjoy trump trump2020 maga election2020,United States of America,California,CA,Donald Trump,1,0.3\r\n333,10/28/2020,do presidents use tax payer money when traveling on for the campaign trail how do campaign expenses work for presidents running for re-election trump president election2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n334,10/28/2020,doesn't trump refrigerator have migrantchildren,United States of America,New York,NY,Donald Trump,0,-0.5\r\n335,10/28/2020,don't vote for trump,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n336,10/28/2020,donaldtrump,United States of America,California,CA,Donald Trump,1,0.3\r\n337,10/28/2020,donaldtrump,United States of America,California,CA,Donald Trump,1,0.3\r\n338,10/28/2020,donaldtrump has had more than $270 million in debt forgiven since 2010 after he failed to pay his lenders for chicago skyscraper development newyorktimes reported tuesday. resistance failureinchief resist votebidenharris,United States of America,Texas,TX,Donald Trump,2,0\r\n339,10/28/2020,donaldtrump left us here to die,United States of America,New York,NY,Donald Trump,0,-0.8\r\n340,10/28/2020,donaldtrump racist is racist evils evilas there is no patchy areas of darkness in the light.the truth is the truth&amp; the truth will stand when the world's on firegod almighty said i have created all men equal in my image&amp; god was referring to all men not merely you &amp; yours.,United States of America,Indiana,IN,Donald Trump,0,-0.5\r\n341,10/28/2020,donaldtrump unsure if domestic kidnapping plot against gov. gretchenwhitmer was a real thing or not,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n342,10/28/2020,donaldtrump\xe2\x80\x99s job losses are the worst of any american president on record. pass it on. vote,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n343,10/28/2020,dtj is not impressed. trump,United States of America,Kentucky,KY,Donald Trump,0,-0.4\r\n344,10/28/2020,earlyvoting2020 good riddance trump  here we go bidenharris2020,United States of America,New York,NY,Donald Trump,1,0.6\r\n345,10/28/2020,election2020 trump biden thisisamerica,United States of America,California,CA,Donald Trump,2,0\r\n346,10/28/2020,electionday results tunein tuesday 8pm ahoraoscarhaza oscarhazaofficial \xe2\x80\x94 trump biden florida earlyvoting mailinballot polls |  electionsmatters,United States of America,Florida,FL,Donald Trump,2,0\r\n347,10/28/2020,equipo editorial del boston herald respalda a trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x97\xb3\xef\xb8\x8f miaminews24 elecciones2020 trump,United States of America,Florida,FL,Donald Trump,2,0\r\n348,10/28/2020,equipo editorial del boston herald respalda a trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x97\xb3\xef\xb8\x8f miaminews24 elecciones2020 trump,United States of America,Florida,FL,Donald Trump,2,0\r\n349,10/28/2020,equipo editorial del boston herald respalda a trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x97\xb3\xef\xb8\x8f miaminews24 elecciones2020 trump,United States of America,Florida,FL,Donald Trump,2,0\r\n350,10/28/2020,erictopol higher than trump \xe2\x80\x98s popularity numbers.,United States of America,California,CA,Donald Trump,2,0\r\n351,10/28/2020,evanmcmullin this is all games; they all know that twitter made trump and now are deflecting total horse hockey,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n352,10/28/2020,everything trump does is full of incompetence is corrupt and bad. he left his supporters in the freezing  cold with no transport back to their cars. at superspreader rally in omaha realdonaldtrump please explain maga people were transported to hospital for hypothermia etc,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n353,10/28/2020,f joebiden wins this election and this scotus tries to give the presidency to donaldtrump that will truly signal a new revolution in america.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n354,10/28/2020,feline catsagainsttrump cats catlover cat kittens kitten kitty pets pet meow moe cutecats cutecat cutekittens cutekitten meowmoe catsofinstagram caturday catsoftwitter trump pussycat kittycafe notmycat,United States of America,Texas,TX,Donald Trump,1,0.4\r\n355,10/28/2020,fibber on the roof - a hilarious donald trump parody  via youtube . parody,United States of America,New York,NY,Donald Trump,1,0.3\r\n356,10/28/2020,first biden's lead is larger and much more stable than clinton's was at this point. second there are far fewer undecided and third-party voters left to woo \xe2\x80\x94 reducing the chances of a late break toward one side. biden trump elections2020 usa,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n357,10/28/2020,former u.s. attorneys \xe2\x80\x94 all republicans \xe2\x80\x94 back biden saying trump threatens \xe2\x80\x98the rule of law\xe2\x80\x99  votehimout2020 republicans gop vote trump,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n358,10/28/2020,geigernews you vote for trump you get treated like sh^t,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n359,10/28/2020,georgetakei trump will screw us all if he wins. we all will be left out in the cold while they party at the whitehouse in a super spreader orgy.,United States of America,California,CA,Donald Trump,0,-0.4\r\n360,10/28/2020,go trump,United States of America,Texas,TX,Donald Trump,2,0\r\n361,10/28/2020,go trump,United States of America,Texas,TX,Donald Trump,2,0\r\n362,10/28/2020,goodjefe repsforbiden gop jeffflake realdonaldtrump been here watching the \xf0\x9f\x92\xa9show gop destroy itself as the likes of lindseygrahamsc marcorubio jeffflake basically say we deserve to be destroyed because trump was voted in and later enabled him .....,United States of America,Arizona,AZ,Donald Trump,0,-0.8\r\n363,10/28/2020,gop candidates blame testing to deflect attention away from their own and the trump's administration failure to develop and timely implement the test-and-trace strategy that would have helped save and would yet help save so very many lives.,United States of America,North Carolina,NC,Donald Trump,0,-0.5\r\n364,10/28/2020,goss30goss he is orchestrating his image to look cinematic and it\xe2\x80\x99s just obvious slow clunky and way off for marketing. the funny thing is his reality tv background does nothing but make him appear as a fake president. 2020election trump fakepresident whitehouse slowmotiontrumo,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n365,10/28/2020,gottalaff so is the fbi going to arrest trump for inciting these threats hey fbi how about the fact that he talked about an imminent  biden assassination anything count  do your jobs,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n366,10/28/2020,govparsonmo but you mostly did what trump said to do.,United States of America,Missouri,MO,Donald Trump,2,0\r\n367,10/28/2020,gundlach trump will win next week and by 2027 there will be some sort of revolution | zero hedge  electionday elections2020 trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n368,10/28/2020,guys...my sons future depends on realdonaldtrump winning this election. our children\xe2\x80\x99s futures are at stake. please pray for trump.,United States of America,Texas,TX,Donald Trump,2,0\r\n369,10/28/2020,had a great chat with the legendary \xe2\x81\xa6herschelwalker\xe2\x81\xa9 on my show the other day about trump racism kneeling athletes etc. in case you missed it...,United States of America,Nevada,NV,Donald Trump,1,0.2\r\n370,10/28/2020,happeningnow senmikelee compares realdonaldtrump to captain moroni and addresses crowd in spanish during trump rally in arizona. ksl5tv,United States of America,Utah,UT,Donald Trump,1,0.1\r\n371,10/28/2020,he cannot be criticized or held accountable ever. trump 60minutes,United States of America,California,CA,Donald Trump,0,-0.3\r\n372,10/28/2020,hear dr. parks and dr. corbin federalisttoday discuss the presidential candidacy of donaldtrump in light of the principles of republican government in their latest podcast,United States of America,New York,NY,Donald Trump,2,0\r\n373,10/28/2020,he\xe2\x80\x99s the best trump trump2020 trumptrain fuckjoebiden,United States of America,Ohio,OH,Donald Trump,1,0.9\r\n374,10/28/2020,hi nytimes i\xe2\x80\x99m a joebiden voter and this is what the inside of my fridge looks like until the 1st to feed a family of 4. i\xe2\x80\x99ll bet a bunch of my followers have similar looking fridges. if trump has made cuts to food stamps we wouldn\xe2\x80\x99t even have had this. care for a popsicle,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n375,10/28/2020,hillaryclinton vote trump - hbcu and opportunityzones . what have biden and kamala done other than lock innocent black's up i'm waiting. vote for trump and keep america great,United States of America,California,CA,Donald Trump,2,0\r\n376,10/28/2020,hispanics and trump a heavily economic issues... better job levels in early part of trump admin...,United States of America,New York,NY,Donald Trump,0,-0.3\r\n377,10/28/2020,history will wipe the name trump from the history books and renaming 2016-2020 americas lost years.,United States of America,Colorado,CO,Donald Trump,0,-0.4\r\n378,10/28/2020,how long will vote counting take estimates and deadlines in all 50 states trump election2020 vote bidenharris2020,United States of America,New York,NY,Donald Trump,2,0\r\n379,10/28/2020,how trump maneuvered his way out of trouble in chicago. when his skyscraper proved a disappointment donald trump defaulted on his loans sued his bank got much of the debt forgiven \xe2\x80\x94 and largely avoided paying taxes on it. davidenrich russbuettner,United States of America,New York,NY,Donald Trump,2,0\r\n380,10/28/2020,hundreds of president donald trump\xe2\x80\x99s fans have reportedly been left stranded in the freezing cold after gathering together to offer him their unwavering support.,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n381,10/28/2020,hundreds of trump supporters stuck on freezing cold omaha airfield after rally 7 taken to hospitals,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n382,10/28/2020,hundreds of trump supporters stuck on freezing cold omaha airfield after rally. i\xe2\x80\x99m no trump supporter but the tweets gleefully laughing at the \xe2\x80\x9cdumb trumpers left out in the cold to die\xe2\x80\x9d delighting in people\xe2\x80\x99s suffering are hateful &amp; disturbing.,United States of America,California,CA,Donald Trump,0,-0.8\r\n383,10/28/2020,i can't see any other gop potus doing what trump did in omaha. thereidout,United States of America,New Jersey,NJ,Donald Trump,1,0.2\r\n384,10/28/2020,i find it beyond annoying when trump supports say we don\xe2\x80\x99t support him because he \xe2\x80\x9crubs people the wrong way\xe2\x80\x9d. his policies are worse than his speeches. it\xe2\x80\x99s not a personality contest-he\xe2\x80\x99s a monster. period.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n385,10/28/2020,i forgot sunny is the ultimate authority on what values of america are. i forgot to check with her before i  voted  for trump. but i would say as an immigrant- america's values to me are the values of reagan and not the values obama. maga2020,United States of America,Florida,FL,Donald Trump,2,0\r\n386,10/28/2020,i hope so.  our future depends on trump being soundly defeated,United States of America,New York,NY,Donald Trump,1,0.1\r\n387,10/28/2020,i know the sun shines out my a$$...  essentially the closing argument of donaldtrump potus.  vote joebiden,United States of America,New York,NY,Donald Trump,2,0\r\n388,10/28/2020,i predict trump will be turning his constituency into a sex cult. theuncoolkind,United States of America,California,CA,Donald Trump,0,-0.2\r\n389,10/28/2020,i really wish i hadn't read this trump prediction huge wave of despair hitting me. election2020 vote,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n390,10/28/2020,i voted realdonaldtrump today. in person. took my 3 sons with me to learn about participating in their future. redwave trump freedom,United States of America,Florida,FL,Donald Trump,1,0.2\r\n391,10/28/2020,i want nothing more than this. be seen be heard and not wake up everyday cringing at what trump tweeted in the middle of the night,United States of America,New York,NY,Donald Trump,2,0\r\n392,10/28/2020,i would like to know how many trump supporters are survivors of domestic or parental abuse or had parent/parents who were violent/narcissistic/absent.  they should do a study.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n393,10/28/2020,i'm thankful that people jump off the trump train but i still don't trust people who stayed on it that long. thereidout milestaylor anonymous,United States of America,New Jersey,NJ,Donald Trump,0,-0.3\r\n394,10/28/2020,if this tony bobulinski story had to do with trump instead of biden... it would be highlighted across every single media platform created. donaldtrump joebiden tuckercarlson,United States of America,New York,NY,Donald Trump,2,0\r\n395,10/28/2020,if trump was a normal person leading a normal administration in a normal white house we wouldn\xe2\x80\x99t need this depressingly long article about how abnormal his exit from office could be.,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n396,10/28/2020,if you're in the manufacturing industry oil &amp; coal industry or any other blue collar professions and you don't vote for trump be prepared to be on the unemployment line. americaneedstrump trump2020tosaveamerica trumplandslidevictory2020,United States of America,Alabama,AL,Donald Trump,2,0\r\n397,10/28/2020,if your not convinced the media is bias and one sided to push their own agenda. our president trump has made peace deals for the middle east that are being ignored by the msm when it should be the biggest positive news in decades wewantthetruth trump2020,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n398,10/28/2020,imagine that. its funny if this was trump it would be all over every news outlet and media source.,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n399,10/28/2020,in california large iranian arab lebanese &amp; smaller groups of mideast communities split between trump &amp; biden.though the obama irandeal impacted most of them negatively. the significant armenian community is pressing for a realdonaldtrump initiative on nagornokarabagh.,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n400,10/28/2020,it is communsit democrat globalist against american patriots. american patriots have a better than average chance. we have beat socialism and communism before and we can do it again. realdonaldtrump  trump trump2020 trump2020landslide maga,United States of America,Florida,FL,Donald Trump,2,0\r\n401,10/28/2020,it is hard to fathom such anything close to such increase in one quarter but thanks to president trump it is gong to happen. \xe2\x9d\xa4\xf0\x9f\x91\x8c,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n402,10/28/2020,it takes courage to criticize trump in your own name. milestaylorusa\xe2\x80\x94formerly anonymous\xe2\x80\x94has shown that he has that courage; he was just waiting until the proper time.  i\xe2\x80\x99m ok w/that.,United States of America,Texas,TX,Donald Trump,2,0\r\n403,10/28/2020,it\xe2\x80\x99s funny when you can see a person corrupted by evil it not only manifest in their deeds but also in their appearance. imagine all the dark deeds hillary has committed trump trump2020\xf0\x9f\x87\xba\xf0\x9f\x87\xb8  hell,United States of America,Arizona,AZ,Donald Trump,0,-0.4\r\n404,10/28/2020,it\xe2\x80\x99s infrastructureweak at trump rallies\xf0\x9f\xa5\xb6,United States of America,California,CA,Donald Trump,2,0\r\n405,10/28/2020,ivankatrump tell us again how trump cares about our environment  trumpecorollbacks,United States of America,California,CA,Donald Trump,0,-0.3\r\n406,10/28/2020,ivankatrump the damage done by trump will last decades,United States of America,California,CA,Donald Trump,1,0.2\r\n407,10/28/2020,ivoted govote2020 makeamericahumanagain bidenharris2020 donaldtrump justvote,United States of America,Washington,WA,Donald Trump,1,0.4\r\n408,10/28/2020,i\xe2\x80\x99m really having fun tonight flipping back-and-forth between fox news and cnn and watching all the drama unfold is pretty entertaining. is this reality show real trump2020 trump realdonaldtrump,United States of America,Arizona,AZ,Donald Trump,1,0.4\r\n409,10/28/2020,janicedean nygovcuomo crookedbiden crookedjoe crookedjoebiden crookedbidenfamily saynotojoe slowjoe trump2020 trump2020landslide compromised tonybobulinski bidencrimefamiily canichangemyvote walkaway bidenfamilycorruption foxnews joebiden maga kag2020 trump plausibledeniability,United States of America,New York,NY,Donald Trump,0,-0.2\r\n410,10/28/2020,jared kushner is as out of touch as kim kardashian  donaldtrump,United States of America,California,CA,Donald Trump,0,-0.6\r\n411,10/28/2020,jaredkushner is a traitor and has the blood of americans on his and his fathers hands. remove them from office on nov. 3rd. vote the plagues out. election2020 kushnertapes trump sickotrump vote,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n412,10/28/2020,jasonmbrodsky not iran exiles ... mek murdered 17000+ iranians civilians and americans in iran in 1970s. they are terrorists now supported by trump administration and israel and saudis,United States of America,Oregon,OR,Donald Trump,0,-0.6\r\n413,10/28/2020,jasonmillerindc are you the person trump was referencing when he said something about biden getting shot in three weeks  because you have the look &amp; aura of a hit man.,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n414,10/28/2020,jeffzeleny chaoticcluster = trump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n415,10/28/2020,jeffzeleny mszeaj that is because trump does not give a good goddamn about anyone or anything but himself,United States of America,Georgia,GA,Donald Trump,0,-0.7\r\n416,10/28/2020,jewishsf covers another hate crime \xe2\x80\x94 antisemitism in suburbia this time referring to trump antisemitism hatecrime swastika lafayette bayarea,United States of America,California,CA,Donald Trump,0,-0.5\r\n417,10/28/2020,jfreewright that trump rally photo looks like a shot from apocalypse now.,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n418,10/28/2020,joebiden  he has to go out the door with trump,United States of America,Louisiana,LA,Donald Trump,0,-0.5\r\n419,10/28/2020,joebiden  please don't compare trump to lincoln and say he is a rasist or whitesuppremist trump denounces racism trumpbiden2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 4 more years election,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n420,10/28/2020,joebiden senkamalaharris cnn msnbc the corruption of the biden family makes donald trump look like an altarboy. the blatant lying by omission practiced by the press makes them accessories to government corruption.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n421,10/28/2020,joelpollak breitbartnews trump told us covid was going away. what\xe2\x80\x99s your point,United States of America,California,CA,Donald Trump,0,-0.5\r\n422,10/28/2020,johnbrennan realdonaldtrump don\xe2\x80\x99t vote biden cause u don\xe2\x80\x99t like trump.  biden is not even a real candidate he lost his mental aptitude and will damage our recovery.  u will be poorer,United States of America,New York,NY,Donald Trump,0,-0.8\r\n423,10/28/2020,johnmtalmadgemd \xe2\x80\x9ctrump appears to be a classic flightrisk....trump faces a financial and legal reckoning of immense proportions as soon as he leaves office. if he loses he will no longer have protection from an avalanche of charges and lawsuits against him...\xe2\x80\x9d,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n424,10/28/2020,jonnyboyca all he\xe2\x80\x99s done was not be born donaldtrump. that\xe2\x80\x99s about it.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n425,10/28/2020,kamala harris will never be the president trump trump2020 trumpcollapse trumpislosing maga maga2020 trumpmeltdown kamalaharris harrisbiden2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n426,10/28/2020,kavanaugh as a supreme court justice is humiliating for the us  trump picks incompetence to match his own. scotusreform,United States of America,New York,NY,Donald Trump,0,-0.2\r\n427,10/28/2020,keithh6910 shareitarie10 trump can't contain his mouth let alone a virus both are sickening.,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n428,10/28/2020,kellyanneconway  go home and stay home  you have  destroyed your family  ...my bad ...you and trump don't value family  just  attention power fame..no wonder,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n429,10/28/2020,kfbetterthanyou janekleeb ateacher97 sfpelosi thanks for weighing-in kolton. i'm from kansas so i'm well-aware of midwestern hospitality. in that spirit i'll be thinking of you as you get dragged from here to kingdom come for popping in without actual information on the condition of those left out in the cold by trump,United States of America,Florida,FL,Donald Trump,1,0.1\r\n430,10/28/2020,kimkardashian tone deaf tweet &amp; kanyewest trys to siphon votes from biden a vote for kanye is a vote for trump. kardashians started this reality tv show shit which led to trump. can\xe2\x80\x99t wait for u to be pay more taxes  as part of biden\xe2\x80\x99s plan to increase taxes only for wealthy making $400k+,United States of America,New York,NY,Donald Trump,0,-0.2\r\n431,10/28/2020,kurisus meidastouch omaha_scanner the trump cult should stop testing the temperature. if they did that it would be warm and toasty outside.,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n432,10/28/2020,kushner suggests that black americans need to 'want' to be successful  via politico jaredkushner trumpmeltdown trump2020 trump kushner obama barackobama,United States of America,New York,NY,Donald Trump,0,-0.2\r\n433,10/28/2020,kylegriffin1 now all banks forgive everyone\xe2\x80\x99s mortgage credit card and student loans. if they can do it for this trump thug they should go it for honest people,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n434,10/28/2020,latest polls have biden blowing out trump by 17 points in wisconsin with 6 days to go if potus wins that state i will never believe another poll as long as i live. i mean that can\xe2\x80\x99t be a miscalculation. \xf0\x9f\xa4\xb7\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 vote,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n435,10/28/2020,latinos for trump trump arizona chicanopower cnn  voteagainsttrump biden vote bullhead mexicanpower voteearly,United States of America,California,CA,Donald Trump,1,0.1\r\n436,10/28/2020,lauraingle said it best to matter in a trump administration you just have to be an american,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n437,10/28/2020,leaked trump family photo...trump was flung into the air when a rollarcoaster he was riding malfunctioned...you can clearly see his toupee flying off...the cuban tree frogs on the ground were not injured,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n438,10/28/2020,lebassett trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n439,10/28/2020,let robreiner know about this  why is trumpgop joining with pastatedept vs.naacpmaking philly  vulnerable to trump challenge due to mandated unverifiable voting machines for all in-person votersalyssa_milano jennycohn1 pattyarquette fsfp,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n440,10/28/2020,let\xe2\x80\x99s flood the social media that trump loves so much with this sadly accurate photo. please retweet dumptrump2020,United States of America,New York,NY,Donald Trump,0,-0.3\r\n441,10/28/2020,listening to a spokesperson from cms talking about reimbursement for docs/hospitals regarding emergency approved vaccines for covid19 on pbs. she says all will be taken care of free while trump potus tells his cult that all those folks care about is $$$. shame gopgenocide,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n442,10/28/2020,live president trump is hosting a rally in goodyear watch it now at,United States of America,Arizona,AZ,Donald Trump,0,-0.1\r\n443,10/28/2020,live trump delivers remarks at a 'makeamericagreatagain victory rally' in arizona maga red sweep trumppence2020 proud usa freedom freeross blockchain data voting chainlink ;-  via youtube,United States of America,Florida,FL,Donald Trump,2,0\r\n444,10/28/2020,logistics. much smoother with trump vaccine omahastranded,United States of America,Ohio,OH,Donald Trump,1,0.4\r\n445,10/28/2020,maddow so pretty much what trump has done to our entire nation.  left us all out in the cold.  failedpresident impeached votebiden,United States of America,Arizona,AZ,Donald Trump,2,0\r\n446,10/28/2020,maddow trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n447,10/28/2020,maga2020 maga trump,United States of America,California,CA,Donald Trump,2,0\r\n448,10/28/2020,maga2020 maga2020landslidevictory maga2020 trump2020 trump trump2020landslide trump2020landslidevictory,United States of America,Texas,TX,Donald Trump,1,0.1\r\n449,10/28/2020,maga\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xe2\x9d\xa4\xef\xb8\x8f trump2020landslidevictory usa\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xe2\x9d\xa4\xef\xb8\x8ftrump kag,United States of America,New York,NY,Donald Trump,1,0.2\r\n450,10/28/2020,maggienyt perhaps one day trump will be tried for war crimes against the usa. how many unnecessary deaths is he responsible for,United States of America,New York,NY,Donald Trump,0,-0.6\r\n451,10/28/2020,mailinballots are terrible. unless we do it. then it's absolutely fine. trump hypocrisy,United States of America,New York,NY,Donald Trump,0,-0.4\r\n452,10/28/2020,make america great again thingstrumpsay trump iamtrump iwin america,United States of America,New York,NY,Donald Trump,2,0\r\n453,10/28/2020,marketwatch trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n454,10/28/2020,marshablackburn realdonaldtrump i would list the things trump should be censored \xf0\x9f\xa4\xac for but twitter only allows 150 characters. no room for the 3000 lies he\xe2\x80\x99s told just this year,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n455,10/28/2020,marshablackburn trump can't make the buses run on-time.,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n456,10/28/2020,marykaybaldino maybe she\xe2\x80\x99s seen all those fan pics trump has of kim jong un pinned up in his bedroom,United States of America,Colorado,CO,Donald Trump,0,-0.4\r\n457,10/28/2020,maybe they should\xe2\x80\x99ve just tried harder. trump covid19,United States of America,New York,NY,Donald Trump,0,-0.4\r\n458,10/28/2020,mayor taylor is a lifelong democrat whose constituency at one point was 4 or 5 to 1 democrat to republican. he says the republican party has cut development block grant funding for his city. yet he endorses president trump for growing the economy and helping his city.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n459,10/28/2020,michaelcohen212 dementia don or buff biden sickotrump trump gophypocrisy republicansforbiden biden electionday  gopsuperspreaders trumpvirus vote trumpvirus  votebluetosaveamerica voteouteveryrepublican donaldtrump  trumpislosing bidenharris2020,United States of America,Rhode Island,RI,Donald Trump,0,-0.2\r\n460,10/28/2020,michigan values and ideals line up with great americans like joebiden kamalaharris and michigan\xe2\x80\x99s own jeffdaniels; not with trump who dodged the vietnam draft filed bankruptcy x 6 ripped off american workers and allowed a pandemic to kill over 225k americans and growing.,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n461,10/28/2020,mikedelmoro she didn\xe2\x80\x99t want to anger her lord and master donaldtrump,United States of America,California,CA,Donald Trump,0,-0.5\r\n462,10/28/2020,milestaylorusa liar trump,United States of America,California,CA,Donald Trump,0,-0.5\r\n463,10/28/2020,millions of ballots yet unreturned as time for reliable postal delivery passes  via msnbc news votebymail elections2020 electionday elections vote voting usps trump biden bidenharris2020,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n464,10/28/2020,mmpadellan valrick06 with trump and gop  they will get their wish to overturn roe v. wade gay marriage eliminating aca  w. pre-existing conditions civil rights women's rights disability protections voter suppression no gun reform. vote votelikeyourlifedependsonitbecauseitdoes,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n465,10/28/2020,money laundering is looking up.  wonder what it\xe2\x80\x99s trump corruption provisions looks like.  cnbc \xe2\x81\xa6deutschebank\xe2\x81\xa9,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n466,10/28/2020,more of the scum trump has unleashed by validating their bigotry hatred violence. don't call them militias call them domesticterrorists criminals bigots racists,United States of America,California,CA,Donald Trump,0,-0.8\r\n467,10/28/2020,more officials need to step up against trump,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n468,10/28/2020,more proof trump doesn\xe2\x80\x99t care about americans - even his own rally supporters - leaving them stranded in freezing &amp; snowy conditions after his campaign busses them in for the event. trumprallyomaha omahastranded omahatrumprallydisaster,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n469,10/28/2020,moveon trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n470,10/28/2020,mrandyngo julio_rosas11 man america really went to shit with trump in charge. maga,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n471,10/28/2020,mtbguy1 jeffzeleny you\xe2\x80\x99re so right because trump can\xe2\x80\x99t want buses more than the omaha rally attendees want buses for themselves... just ask jared.,United States of America,Massachusetts,MA,Donald Trump,0,-0.3\r\n472,10/28/2020,my first thought was this was by a domestic-based anonymous group or lone wolf yet the misspellings/bad grammar make me suspect a foreign attack or else it's a us hacker trying to throw people off their scent. trump gop hackerslivesxmatter blm,United States of America,California,CA,Donald Trump,0,-0.3\r\n473,10/28/2020,mysterysolvent trump\xe2\x80\x99s kids are too busy hiring lawyers and trying to figure out where to get money from next year to talk to dad. vote,United States of America,California,CA,Donald Trump,0,-0.1\r\n474,10/28/2020,nate_cohn and wisconsin voters truly are disgusted with trump superspreaderevents ~ even non-cult gop voters.  stop spreading covid in our state,United States of America,Wisconsin,WI,Donald Trump,0,-0.7\r\n475,10/28/2020,nebraska rally a microcosm of donaldtrump\xe2\x80\x99s america. a vote for presidenttrump is a vote to be left out in the cold. alone. in despair. americaneedsjoe votebluetosaveamerica voteblue2020 bidenharris vote voteearly planyourvote voteinperson endthechaos bluewave,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n476,10/28/2020,new poll biden beats trump among audiophiles ties with radio listeners  election2020 bdien trump radio spotify sirusxm musicnews,United States of America,Virginia,VA,Donald Trump,1,0.2\r\n477,10/28/2020,next tuesday is going to be unlike any other in electionnight in american history. here are my thoughts on what to look for after the polls close. elections2020 joebiden donaldtrump trumpwontleaveifheloses,United States of America,New York,NY,Donald Trump,1,0.3\r\n478,10/28/2020,no schools or graduation on line only. millions have lost their health care. trump is in court trying to get rid of aca.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n479,10/28/2020,not so easy as one might think. looks are deceptive quiz can you tell a \xe2\x80\x98trump\xe2\x80\x99 fridge from a \xe2\x80\x98biden\xe2\x80\x99 fridge  trump biden quiz,United States of America,Alaska,AK,Donald Trump,0,-0.7\r\n480,10/28/2020,not something to brag about. this can be directly attributed to donaldtrump and his incompetence irresponsibility.  trumpfailedamerica,United States of America,New York,NY,Donald Trump,0,-0.4\r\n481,10/28/2020,o2bnobx really have you forgotten just who trump is if you don't know just ask among the floating pile of dead and dying bodies of his former friends and colleagues. donald trump was always jealous of presidentobama. trump's justification for hubris is that he was born trumpy.,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n482,10/28/2020,obama e ivanka las armas de biden y trump para la florida -  evnews florida donaldtrump joebiden florida eeuu eleciones2020 28oct,United States of America,Florida,FL,Donald Trump,1,0.4\r\n483,10/28/2020,obama e ivanka las armas de biden y trump para la florida -  evnews florida donaldtrump joebiden florida eeuu eleciones2020 28oct,United States of America,Florida,FL,Donald Trump,1,0.4\r\n484,10/28/2020,obviously the next step will be that those who get coronavirus are guilty of treason. trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n485,10/28/2020,of course senatorwicker senategop are more focused on sham theatrics in the twitter facebook google ceos hearing underway to distract from failed trump presidency &amp; campaign .. rather than urgent focus on covid19 control &amp; fair elections2020 during this sad pandemic,United States of America,New York,NY,Donald Trump,0,-0.5\r\n486,10/28/2020,oh even when trump gets  booted out he fucked america by flooding our economy with band aid money so it could make his administration look good and thats why he wont work with democrats now the money has ran out since july and now  the economy is come due,United States of America,Arizona,AZ,Donald Trump,0,-0.6\r\n487,10/28/2020,omahapolice devincow enjoy your covid trump,United States of America,New Jersey,NJ,Donald Trump,1,0.4\r\n488,10/28/2020,omaharally trump clan hates to be called stupid but then they will stand stuck for hours in the freezing snow weather while he flies off overhead in well heated airforceone. this is the old adage about the dog too stupid to come in out of the rain. heavy commitment to racism.,United States of America,California,CA,Donald Trump,0,-0.4\r\n489,10/28/2020,oneforthemany haha i have asked question -why should i not vote for trump but as of right now i haven\xe2\x80\x99t voted and haven\xe2\x80\x99t picked who i vote for.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n490,10/28/2020,only 84 days until trump's last day unless he quits first trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n491,10/28/2020,opinion | how the idiocy of trump and jared kushner let the pandemic loose   kushner jaredkushner racist privileged ivankatrump trump harvarduniversity harvard racism privilege entitled luckyspermclub covid pandemic healthcare,United States of America,New York,NY,Donald Trump,0,-0.8\r\n492,10/28/2020,opinions | no one mocks trump like barack obama  trump asshole p2 usa vote voteblue2020 vote2020 gop republicans republicansagainsttrump republicansforbiden obama,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n493,10/28/2020,ourpubliclands wildlifeaction nwf collin_omara it\xe2\x80\x99s nothing less than the evil trump administration \xf0\x9f\x94\xa5,United States of America,California,CA,Donald Trump,0,-0.2\r\n494,10/28/2020,par for the course. trump was who we thought he was. \xf0\x9f\xa4\xac trumprallyomaha,United States of America,Indiana,IN,Donald Trump,2,0\r\n495,10/28/2020,pelosi says stock market plunge will bring trump back to the stimulus negotiating table via forbes,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n496,10/28/2020,policestateusa defundthepolice trump acab,United States of America,Florida,FL,Donald Trump,1,0.1\r\n497,10/28/2020,potus needed to get the country back from the doctors via a negotiated settlement  really trump held the american people hostage.,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n498,10/28/2020,prediction - nothing will happen about any of a multitude of corruption scandals until after donald trump wins and joe biden concedes. then trump will have nothing to lose and arrests an prosecutions can begin.,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n499,10/28/2020,presidentialelection2020 trump vs biden,United States of America,New York,NY,Donald Trump,2,0\r\n500,10/28/2020,pretty much every day fake accounts are tweeting in support of trump... electioninterference votersuppression,United States of America,California,CA,Donald Trump,0,-0.1\r\n501,10/28/2020,pretty sure this is not standard military pilot procedure. wth is trump thinking,United States of America,Tennessee,TN,Donald Trump,0,-0.6\r\n502,10/28/2020,projectlincoln donaldtrump and his family made over $200 million from deals with foreign countries that we know of since 2016 while he was president. and he has the audacity to accuse other people of profiting off the presidency without any factual evidence oh please vote votetrumpout,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n503,10/28/2020,putting politics before the law - read my new piece about a liberal judge allowing states to illegally abuse the food stamp program thefga oppsolutions trump welfare,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n504,10/28/2020,read it again 2020election hiphopawards bethiphopawards2020 trump celebrities supportwomenrunbusinesses,United States of America,Florida,FL,Donald Trump,1,0.2\r\n505,10/28/2020,read this honest critique of lesleystahl's lack of tough questions for trump. hold cbsnews &amp; 60minutes accountable fairmediawatch thank you.,United States of America,California,CA,Donald Trump,1,0.1\r\n506,10/28/2020,read/watch the full thread.  tears.  trumpliesamericansdie trump trumpvirus trumpcrimefamilyforprison gophypocrisy gopbetrayedamerica joebiden teamjoe bidenharris2020,United States of America,Georgia,GA,Donald Trump,2,0\r\n507,10/28/2020,realdonaldtrump donaldtrump voteblue2020 gotcha explorepage petty clever trumpsupporters  atlanta georgia,United States of America,Georgia,GA,Donald Trump,1,0.2\r\n508,10/28/2020,realdonaldtrump humpty dumpty is throwing a temper tantrum. \xf0\x9f\x98\xbflet the adults take over next term. election2020 electionday americaortrump trumpmeltdown trumpislosing donaldtrump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n509,10/28/2020,realdonaldtrump keep talking you mass-murdering monster. you're digging your own political grave with this closing pitch... covid19 coronavirus trump,United States of America,New York,NY,Donald Trump,0,-0.5\r\n510,10/28/2020,realdonaldtrump mostly hindu and modi supporters support trump  trump2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n511,10/28/2020,realdonaldtrump nytimes google cnn have you no idea what an incompetent lying moron you look like when you pathetically claim you don't know high-ranking former trump officials milestaylor anonymous,United States of America,New York,NY,Donald Trump,0,-0.9\r\n512,10/28/2020,realdonaldtrump the only reason why trump appears to be a \xe2\x80\x9cgreat\xe2\x80\x9d president is because he\xe2\x80\x99s great at campaigning advertising and persuading that\xe2\x80\x99s what business people are supposed to do trump may be good at selling himself but he sucks at his presidency trumpisanationaldisgrace trump,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n513,10/28/2020,realdonaldtrump the only reason why trump appears to be a \xe2\x80\x9cgreat\xe2\x80\x9d president is because he\xe2\x80\x99s great at campaigning advertising and persuading that\xe2\x80\x99s what business people are supposed to do trump may be good at selling himself but he sucks at his presidency trumpisanationaldisgrace trump,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n514,10/28/2020,realdonaldtrump this is our \xe2\x80\x9cwartime president\xe2\x80\x9d this incompetent quitter imagine if he was fdr/eisenhower in the \xe2\x80\x9840\xe2\x80\x99s. he\xe2\x80\x99d be yelling \xe2\x80\x9chitler hitler hitler...all they talk about is hitler\xe2\x80\x9d pathetic coward loser... trump covid19 coronavirus,United States of America,New York,NY,Donald Trump,0,-0.8\r\n515,10/28/2020,realdonaldtrump this is true...you absolutely positively don't sound like a president maga trump2020 trump trumpkillsus trumpisnotwell vetsagainsttrump veteran veteransfortrump veteran maga maga2020 kag2020 kag keepamericagreat,United States of America,California,CA,Donald Trump,0,-0.7\r\n516,10/28/2020,realdonaldtrump tovictory oneifbyland2ifbysea tonybobulinski worldseries trump foxnews bidencrimefamiily trendingnow halloween bidenfamilycorruption hunterbidenslaptop justinturner laptopfromhell keep america trending up w trump &amp; make ur vote count. let\xe2\x80\x99s take back control of usa,United States of America,Florida,FL,Donald Trump,2,0\r\n517,10/28/2020,realdonaldtrump trump calls it a wave. this former republican calls it a ripple. no chance for the corrupt president,United States of America,Ohio,OH,Donald Trump,0,-0.5\r\n518,10/28/2020,realdonaldtrump trump does not care about the loss of american life. he does not care about the lives you lost in your family. he does not care about you losing your job. he does not care that you were on a food line. he does not care about anyone but himself. votehimout,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n519,10/28/2020,realdonaldtrump trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n520,10/28/2020,realdonaldtrump trump pos liar,United States of America,New York,NY,Donald Trump,0,-0.4\r\n521,10/28/2020,realdonaldtrump virus trump,United States of America,California,CA,Donald Trump,2,0\r\n522,10/28/2020,realdonaldtrump vp whitehouse this is on you people won't forget trump trumprallyomaha covid19 trumpvirus liarinchief vote voteblue so you know maga2020 maga2020landslidevictory trumpisafraud,United States of America,California,CA,Donald Trump,0,-0.2\r\n523,10/28/2020,realdonaldtrump will the trump campaign provide transportation or is this another one way ticket to chaos,United States of America,California,CA,Donald Trump,0,-0.6\r\n524,10/28/2020,realdonaldtrump willing to die for the don go out in style in the \xe2\x80\x9cgeneral lee\xe2\x80\x9d by trump coffins  msnbc whitehouse covid19 coronavirus  trump  whitesupremacy trumpsuperspreaderrallies maga florida nebraska michigan wisconsin,United States of America,Michigan,MI,Donald Trump,1,0.2\r\n525,10/28/2020,realdonaldtrump willing to die for the donald go out in style in the \xe2\x80\x9cgeneral lee\xe2\x80\x9d by trump coffins msnbc whitehouse gopleader gop ivankatrump covid19 coronavirus  trump  omaha whitesupremacy trumpsuperspreaderrallies maga florida philadelphia michigan trumpcoffins demonchaser,United States of America,Michigan,MI,Donald Trump,1,0.1\r\n526,10/28/2020,realdonaldtrump you said that 4yrs ago trump. it's only gotten worse. you have failed like no other president in u.s. history we look forward to seeing you go to prison sir,United States of America,Ohio,OH,Donald Trump,0,-0.5\r\n527,10/28/2020,realdonaldtrump you totally blew your opportunity as you created a biggest swamp than ever dumptrump dumptrump2020 trump,United States of America,New York,NY,Donald Trump,1,0.2\r\n528,10/28/2020,realiammrbs teapainusa well he thinks determined/powerful women are monsters.   please oh please make nov 3rd a monsters ball   donaldtrump the women in the \xe2\x80\x98burbs don\xe2\x80\x99t like you a women\xe2\x80\x99s place is in the boardroom if she wants it to be 45\xe2\x80\x99s place is in prison for tax evasion. bidenharris,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n529,10/28/2020,remember that time you had your massive debt completey forgiven without bankruptcy or penalty then avoided paying income tax on the forgiven debt because of your other overstated real estate losses no me either. trumptaxreturns trump trump2020,United States of America,Oregon,OR,Donald Trump,0,-0.1\r\n530,10/28/2020,remove the evil traitor on november 3rd notmypresident endthechaos covidiot donaldtrump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n531,10/28/2020,repsforbiden potus doesn\xe2\x80\x99t get that there is a step 4....meanwhile the metaphorical \xe2\x80\x98child on the plane\xe2\x80\x99 insert nation economy democracy americans... is dying while trump takes up all the oxygen. narcissist narcissistinchief votehimout,United States of America,Virginia,VA,Donald Trump,0,-0.2\r\n532,10/28/2020,repsforbiden while flake does deserve to have some respect unfortunately he was a enabler of trump and why some of the gop are too afraid of the corrupt trump,United States of America,Arizona,AZ,Donald Trump,0,-0.8\r\n533,10/28/2020,republicans elderly families all left stranded in the cold - hypothermia = sounds like trump to me donald does not care about you and he has no plan - just like his presidency taxcuts4rich  covid kills 200000 americans + economy collapse,United States of America,California,CA,Donald Trump,0,-0.9\r\n534,10/28/2020,retweet this mike tyson uncle luke and eddie murphy should speak up now or forever hold their peace  if trump wins you helped by not opening your fucking mouths. i am disgusted with these celebrities that could make a difference in this campaign. joebiden sensanders,United States of America,New Mexico,NM,Donald Trump,0,-0.4\r\n535,10/28/2020,rickyellis13 cnn flotus we need politicians only because crooks who claim they aren't politicians claiming they will drain the swamp are actually filling their pool . trump cheats daily &amp; you defending him is embarrassing. america is seen externally like a 3rd world country with a despot leading it,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n536,10/28/2020,roosters against trump...trump is one cock to many,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n537,10/28/2020,rt shaunking rt jeff_paul the above video &amp; this one were taken around 1015pm. the trump rally ended around 845pm. some just gave up and walked from the airfield back to wherever they parked. it was about 32\xc2\xb0 out at the time. many had already sp\xe2\x80\xa6,United States of America,California,CA,Donald Trump,0,-0.3\r\n538,10/28/2020,rube alert swingstate trumpislosing trump trump2020 trumpisalaughingstock projectlincoln cnnbrk business jobs ddale8 nytimes washingtonpost  manufacturing a mess donald trump promised he\xe2\x80\x99d return factory jobs; what actually happened,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n539,10/28/2020,rudygiuliani realdonaldtrump god i sure hope so. we need it like yesterday. trump trump2020 redwave americaneedstrump,United States of America,California,CA,Donald Trump,1,0.1\r\n540,10/28/2020,sarahcpr trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n541,10/28/2020,scottpresler donaldjtrumpjr crookedbiden crookedjoe crookedjoebiden crookedbidenfamily saynotojoe slowjoe trump2020 trump2020landslide compromised tonybobulinski bidencrimefamiily canichangemyvote walkaway bidenfamilycorruption foxnews joebiden maga kag2020 trump plausibledeniability,United States of America,New York,NY,Donald Trump,0,-0.2\r\n542,10/28/2020,scout_finch trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n543,10/28/2020,secbernhardt realdonaldtrump you\xe2\x80\x99re full of it. you actually think people will buy this  enough of this nonsense.  trump,United States of America,Maryland,MD,Donald Trump,0,-0.3\r\n544,10/28/2020,secupp i cannot wait until saturday when we call all stand up and scream \xe2\x80\x9cfour more days - four more days\xe2\x80\x9d it will be glorious. trump biden votethemout vote,United States of America,California,CA,Donald Trump,1,0.3\r\n545,10/28/2020,seems trump does whatever the hell he wants but doesn't want to help americans in crises.,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n546,10/28/2020,seguidores de trump abandonados por horas en el fr\xc3\xado tras mitin en aeropuerto,United States of America,Florida,FL,Donald Trump,2,0\r\n547,10/28/2020,sen. gardner asks dorsey why he's hidden trump's tweets but not the ayatollah's  dirty liar &amp; hypocrite bigtechbias bigtechhearing bigtechcensorship hypocrisy,United States of America,Arizona,AZ,Donald Trump,0,-0.1\r\n548,10/28/2020,senatedems trump can't make the buses run on-time.,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n549,10/28/2020,sensanders vote trump - hbcu and opportunityzones . what have biden and kamala done other than lock innocent black's up i'm waiting. vote for trump and keep america great,United States of America,California,CA,Donald Trump,2,0\r\n550,10/28/2020,should trump be charged with crimes against humanity for his willful negligence in handling the coronavirus pandemic votebluetosaveamerica,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n551,10/28/2020,slightly more voters blame trump gop for lack of stimulus deal survey finds thehill,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n552,10/28/2020,socialistmma the nazis are already salivating over the prospect of biden and harris cracking down on blm harder than trump and barr ever did. they know who their friends are.,United States of America,Mississippi,MS,Donald Trump,0,-0.2\r\n553,10/28/2020,staring into the abyss with fr. ed meeks  via youtube one of the better sermons on election2020 biden trump abortion abortionismurder religiousfreedom catholicchurch socialism communism biggov,United States of America,Arizona,AZ,Donald Trump,0,-0.1\r\n554,10/28/2020,stephenlatham theycallmecarg mmfa doesn't mean a thing. money can buy a degree. just look at trump and his demon spawn.,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n555,10/28/2020,stockmarket failing due to lack of pandemic response and no relief in site for unemployed americans. trumpcrash trump does not care. trumpfailedamerica trumplied225kdied,United States of America,California,CA,Donald Trump,0,-0.4\r\n556,10/28/2020,sue that asshole...there needs to be a wave of lawsuits against trump.,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n557,10/28/2020,superspreadertrump donaldtrump stop coming to wisconsin cases here are skyrocketing &amp; wisconsinites r hurting &amp; dying. trump votehimout trumprally   stayathome votebiden,United States of America,Wisconsin,WI,Donald Trump,0,-0.3\r\n558,10/28/2020,talk about leadership. why did trump hire the absolute worst person for the job devos pruitt purdue acb flynn manafort bidenharristosaveamerica bidenharris2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n559,10/28/2020,tedcruz it\xe2\x80\x99s simple little man\xe2\x80\xa6if you don\xe2\x80\x99t like twitter don\xe2\x80\x99t use it. if you whined about trump calling your wife ugly like  you whine about twitter well nothing would change. you\xe2\x80\x99re a wimp hiding behind your office to bully others. try to look like a man to heidi.,United States of America,California,CA,Donald Trump,0,-0.6\r\n560,10/28/2020,tedpix anotherpercent. obviously i'm very concerned that khamenei's not gonna stopenrichinguranium thepotuswillnukeparchin i do not advocate either for or against it if trump doesn't risk tbilisi *in the next 4 days* we're looking at exactlythebibleswwiiiscenario,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n561,10/28/2020,that was an implied threat  suggesting that someone should shoot biden.  trump should be criminally charged on that alone.  he's a dangerous lunatic who will stop at nothing to try and win,United States of America,New York,NY,Donald Trump,0,-0.8\r\n562,10/28/2020,the folks in omaha left in freezing cold weather  wth they may be maga but they are human beings. trump can't see that. he only sees an audience for his ego. omahastranded,United States of America,Washington,WA,Donald Trump,0,-0.1\r\n563,10/28/2020,the left thinks trump is corrupt he's a novice next to the bidencrimesyndicate,United States of America,California,CA,Donald Trump,0,-0.7\r\n564,10/28/2020,the liberalmedia is in high gear going after latinos because they know they favor trump don\xe2\x80\x99t let the party of hate violence and political correctness sway you from the one person who promises jobs tax cuts and stands against socialism latinosfortrump maga,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n565,10/28/2020,the mainstream media is finally picking up on what peoples_pundit was finding in their polls months ago \xe2\x80\x94 trump is improving with hispanic voters.,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n566,10/28/2020,the nightmare scenario for election2020 is that gop disputes pennsylvania results &amp; the new supremecourt hands the state to trump. this reminds me of how apartheid south africa regime ruled. god help americans,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n567,10/28/2020,the only scam is the fraud that realdonaldtrump and his crime family put upon the american people. it\xe2\x80\x99s time to put the trump name on the midden of history where it belongs. vote bidenharris2020 votebluetosaveamerica voteblue2020 votebluedowntheballot,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n568,10/28/2020,the owner-operator independent drivers association ooida which represents about 160000 small-business truckers gives the trump department of transportation dot high marks for regulatory changes.,United States of America,Texas,TX,Donald Trump,2,0\r\n569,10/28/2020,the perils of the covid.19 trade war trump,United States of America,Nevada,NV,Donald Trump,0,-0.1\r\n570,10/28/2020,the president this very weekend extolled his commitment to indigenous peoples.  trump is wrecking the place before he leaves office a smash-and-grab operation being done to this country to bipoc and those who want to save the environment.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n571,10/28/2020,the socialist left's worst nightmare - black people that think for themselves.  p.s. nobody shows up at hussein obama for sleepy slow joe biden rallies anymore. &lt;100 people in florida. \xf0\x9f\x98\x82 orangemanbad democratstrategy lefthypocrisy | trumprally trumprallynebraska trump,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n572,10/28/2020,the trump campaign has pulled the plug on millions of dollars in ad spending in minnesota in recent weeks along with other midwest states.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n573,10/28/2020,the truth about the liberal media complex burying facts about joe biden's lies and bolstering lies about trump. do your own research sheeple. the future of our country is in your vote in one week. do not be influenced by the liberal media.,United States of America,California,CA,Donald Trump,0,-0.4\r\n574,10/28/2020,the wide gap in fundraising between trump and biden is disturbing. the story is the same--corporations are currying favor with the next president. this is not onepersononevote. it's corporate influencepeddling.,United States of America,Nevada,NV,Donald Trump,0,-0.5\r\n575,10/28/2020,theblaze it seems like the teacher was really trying to be nice about giving the boy a new opinion; but clearly the boy can think for himself. 4moreyears donaldtrump brainwashing,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n576,10/28/2020,thelivelinetv each tuesday 8pm ep 34 ti vs jeezy offset arrested over trump supporters &amp; more hosted by ticrac slickdaddy bankboyresight  visit our website,United States of America,Louisiana,LA,Donald Trump,0,-0.1\r\n577,10/28/2020,there are large protests happening all over the world right now because free people refuse to continue to be locked down. if god forbid the worse case scenario happens and biden defeats trump expect the same thing to happen here if biden attempts the same. nolockdown maga,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n578,10/28/2020,there is much that is seriously wrong with trump. but this \xe2\x80\x9cjoke\xe2\x80\x9d at the expense of farmers and aid to those in need as a result of his failed policies is really twisted.,United States of America,Hawaii,HI,Donald Trump,0,-0.9\r\n579,10/28/2020,there is \xe2\x80\x9cevidence of a new &amp; more strategic effort by the trump admin to make a lasting change to the country\xe2\x80\x99s body of scientific knowledge about climatechange. the objective..is to undermine the nationalclimateassessment nyt firetrumpinnovember &amp; votethegopout govote,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n580,10/28/2020,there's no going back to 'normal.' trump the gop is changed forever,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n581,10/28/2020,therecount alisyncamerota trump pence and the gop don't care whether you live or die. wisconsin votebluetosaveamerica,United States of America,Minnesota,MN,Donald Trump,0,-0.2\r\n582,10/28/2020,therickwilson note the look of panic and desperation in the eyes of trump.,United States of America,California,CA,Donald Trump,0,-0.7\r\n583,10/28/2020,thescottcharles in the middle of the night there\xe2\x80\x99s and old man treading around in the gathered rain hey trump if you want to walk on water oh would you send a bus my way. omahastranded trump countingcrows,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n584,10/28/2020,thetomzone trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n585,10/28/2020,this campaign event is just a microcosm of the cluster*uck that is the trump presidency.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n586,10/28/2020,this could be anything. science truth history trump is a joke. vote votehimout election2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n587,10/28/2020,this guy was as bad as georgefloyd &amp; jacobblake.  democrats are destroying the country the woke whiteprivilege dems that are afraid of how trump talks how about when the mob is looting your home \xf0\x9f\x8f\xa0  defund the police who you gonna call they just want your stuff,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n588,10/28/2020,this is incitement to assassinate president biden trump is evil. he has now adopted a scorched earth policy he will incite killing burning of properties and civil war. remember america you are better than trump and his crooked clan funded by putin,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n589,10/28/2020,this is story of post-trump rally in nebraska in frigid temps. not enough busses elderly people walking to cars... remarkable non-responsibility or care from trump to his supporters... no covid19 guidelines observed letting people freeze... \xf0\x9f\x98\xb3voteblue biden2020  \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99,United States of America,California,CA,Donald Trump,0,-0.5\r\n590,10/28/2020,this is the first salvo of the conservative scotus... while trump was acting like a buffoon to keep your eyes averted from the real damage.  the gop supplanted your voting rights packed all the courts and have basically given you the usa and democracy the proverbial finger,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n591,10/28/2020,this is very funny. it is such a good parody that she sound like an authentic trump cultist. i especially loved the part about how if the press weren't busy counting all the unresponsive people passed out on the omaha tarmac from the freezing cold there wouldn't be so many.,United States of America,Hawaii,HI,Donald Trump,1,0.6\r\n592,10/28/2020,this is what donaldtrump does to americans he does not care endthechaos americaneedsbiden everyone...,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n593,10/28/2020,this situation is an allegory for the entire trump presidency*.  omaha,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n594,10/28/2020,thousands of trump rally attendees in nebraska stranded in freezing cold after event.  \xe2\x81\xa6gop\xe2\x81\xa9 \xe2\x81\xa6ncgop\xe2\x81\xa9 ncga ncpol,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n595,10/28/2020,thread by starknightz 1. news president trump plans election night party at his d.c. hotel \xe2\x80\x98it will be absolutely epic\xe2\x80\x99 \xf0\x9f\x8e\x87\xf0\x9f\xa5\xb3\xf0\x9f\x8e\x89\xf0\x9f\xaa\x85\xf0\x9f\x8d\xbe\xf0\x9f\x8e\x86 -thread 10.27.2020  votetrump trump win elec...\xe2\x80\xa6,United States of America,Texas,TX,Donald Trump,2,0\r\n596,10/28/2020,throughout this year i am reminded that i know nothing about politics and that the black voters of south carolina - who saved and elevated joe biden - are brilliant political strategists who knew that a centrist could win. maga trump covid19,United States of America,Arizona,AZ,Donald Trump,1,0.2\r\n597,10/28/2020,thx trump...he already sold off all his shares,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n598,10/28/2020,tiffany really liked her halloween costume until she realized she would have to drag the 13ton f-4 phantom behind her everywhere she went as a prop halloween 2020 trump  phoenix arizona,United States of America,Arizona,AZ,Donald Trump,2,0\r\n599,10/28/2020,timcast it won\xe2\x80\x99t. trump will win decisively.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n600,10/28/2020,tomfitton stoughton_sam crookedbiden crookedjoe crookedjoebiden crookedbidenfamily saynotojoe slowjoe trump2020 trump2020landslide compromised tonybobulinski bidencrimefamiily canichangemyvote walkaway bidenfamilycorruption foxnews joebiden maga kag2020 trump plausibledeniability,United States of America,New York,NY,Donald Trump,0,-0.2\r\n601,10/28/2020,tonyschwartz trump used nazi brainwashing to humiliate his base with lies. his base is susceptible and weak-minded,United States of America,New York,NY,Donald Trump,0,-0.8\r\n602,10/28/2020,top story jeff_paul 'thousands of people left out in the cold and stranded in omaha nebraska after a trump rally. i\xe2\x80\x99m told the shuttles aren\xe2\x80\x99t operating &amp; there aren\xe2\x80\x99t enough busses. police didn\xe2\x80\x99t seem to know wh\xe2\x80\xa6  see more,United States of America,California,CA,Donald Trump,0,-0.3\r\n603,10/28/2020,totally misleading trump advertisementamericans must embrace truth over nonsense 2020election,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n604,10/28/2020,trending can i take my vote back  trump biden,United States of America,Florida,FL,Donald Trump,2,0\r\n605,10/28/2020,tribelaw trump put a drunk lecher on the supreme court and now an unqualified cult member.   the reputation of the court is in tatters.,United States of America,California,CA,Donald Trump,0,-0.7\r\n606,10/28/2020,trump,United States of America,New York,NY,Donald Trump,2,0\r\n607,10/28/2020,trump,United States of America,Alaska,AK,Donald Trump,2,0\r\n608,10/28/2020,trump = lying piece of feces. the coronavirus is accelerating at a rate never before seen &amp; the liarinchief tells us that success is just aroundthecorner. his plan from the start has been killtheelders. herdimmunity is intended to culltheherd. hospitals need beds. votejoe,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n609,10/28/2020,trump and moscowmitch must go. they have not done anything to help the american people vote  votethemout,United States of America,California,CA,Donald Trump,2,0\r\n610,10/28/2020,trump approval index history - rasmussen reports\xc2\xae,United States of America,Illinois,IL,Donald Trump,2,0\r\n611,10/28/2020,trump bussed them in but then left them stranded for hours in the 24 degrees  biden wouldn't treated americans like cattle during a pandemic for news/photo ops cops said they needed 40 more busses at least votebluetosaveamerica votebluedownballot votebidenharris2020 vote,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n612,10/28/2020,trump bussed them in but then left them stranded for hours in the 24 degrees  biden wouldn't treated americans like cattle during a pandemic for news/photo ops cops said they needed 40 more busses at least votebluetosaveamerica votebluedownballot votebidenharris2020 vote,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n613,10/28/2020,trump campaign ran a facebook ad implying he won the election which is supposed to be against the company\xe2\x80\x99s\xc2\xa0rules,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n614,10/28/2020,trump campaign says it is working with authorities after website was temporarily compromised,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n615,10/28/2020,trump campaign website was hacked. we know this because for a few minutes the site advocated masks social distancing and was concerned about global warming. but all was soon fixed and back to normal as weird as it is to write normal with trump's ideas.,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n616,10/28/2020,trump criminalcharges genocide this is criminal all those lives lost. bloodonhishands,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n617,10/28/2020,trump destroyed the presidency,United States of America,New York,NY,Donald Trump,0,-0.7\r\n618,10/28/2020,trump doesn't care about his voters,United States of America,Ohio,OH,Donald Trump,0,-0.8\r\n619,10/28/2020,trump doesn\xe2\x80\x99t care about you or your kids either. or your unborn babies. pesticide  wwjd cleanwater greennewdeal,United States of America,California,CA,Donald Trump,0,-0.5\r\n620,10/28/2020,trump for prison 2021 actually in january when he becomes private citizen again. newyork state charges,United States of America,New Mexico,NM,Donald Trump,0,-0.3\r\n621,10/28/2020,trump has sunk to a new low this guy signed a order prohibiting diversity training trump -trumpmeltdown donaldtrump shaunking atrupar canichangemyvote americaneedsmichigan aca shaunking amyconeybarrett americaortrump trumprallyomaha trumpisanationaldisgrace blm,United States of America,Tennessee,TN,Donald Trump,0,-0.7\r\n622,10/28/2020,trump is a liar a crook a monster. votehimout gopcorruptionovercountry votethemout nevertrump gophypocrisy votebluedownballot,United States of America,New York,NY,Donald Trump,0,-0.2\r\n623,10/28/2020,trump is a sick bastard  votehimout bidenharris2020 bidenharristosaveamerica,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n624,10/28/2020,trump is a superspreader,United States of America,New York,NY,Donald Trump,0,-0.3\r\n625,10/28/2020,trump is a tax cheat a fraud an impeached president and a crook that will never change his stipes until he gets his striped prison wardrobe,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n626,10/28/2020,trump is gonna win big and then the sore loser corrupt democrats will contest it and the country will be plunged into chaos exactly how the dems want it to be trump,United States of America,California,CA,Donald Trump,0,-0.8\r\n627,10/28/2020,trump is loved bigly across america please come to the pnw,United States of America,District of Columbia,DC,Donald Trump,1,0.4\r\n628,10/28/2020,trump is not facing biden he is facing the full force of the obama 3 machine and the axis of the iran deal. it has become galactic.,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n629,10/28/2020,trump is really bad at protesting his people. worstpresidentever donaldtrump votebluetosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.2\r\n630,10/28/2020,trump is unconsciously tapping into his german heritage when he incessantly repeats that we are \xe2\x80\x9crounding the corner\xe2\x80\x9d on covid. in german if you\xe2\x80\x99re dragging someone \xe2\x80\x9caround the corner\xe2\x80\x9d \xe2\x80\x9cum die ecke\xe2\x80\x9d you are killing them. he\xe2\x80\x99s unknowingly bleating the truth out on the trail.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n631,10/28/2020,trump just signed an executive order letting him purge thousands of federal workers for disloyalty - vanity fair trump democracy is in peril,United States of America,Oregon,OR,Donald Trump,0,-0.8\r\n632,10/28/2020,trump loses it cuts interview short amid temper tantrum  via youtube bigbaby lol what a whacko  trump his presidency is going down in history as the biggest joke yes and hoax as he likes to say will be a footnote people will want too forget,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n633,10/28/2020,trump omaharally,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n634,10/28/2020,trump owes a debt of gratitude to banks and hedge funds says nyt's research...  no swamp huh,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n635,10/28/2020,trump plan for election2020 is to stop  counting all votes with amyconeybarrett gorsuch cavanaugh in place  for trumpisaracistthug gopcorruptionovercountry  trumpisacriminal trumpisaninternationaldisgrace trumpisanationalsecuritythreat  voteouteveryrepublican,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n636,10/28/2020,trump polls show that trump is breaking out to the upside - trump chart,United States of America,California,CA,Donald Trump,0,-0.5\r\n637,10/28/2020,trump rallies are really nothing but shoutout-a-thons smmfh trump,United States of America,New York,NY,Donald Trump,1,0.3\r\n638,10/28/2020,trump realdonaldtrump byebyedonald,United States of America,California,CA,Donald Trump,2,0\r\n639,10/28/2020,trump said the election must be decided on november 3. must it trump2020 trumplandslidevictory2020 trump usa covid19 riots looting philidelphia canichangemyvote foxnews bobulinski philadelphiariots,United States of America,Kentucky,KY,Donald Trump,2,0\r\n640,10/28/2020,trump says ex-staffer who penned 'anonymous' op-ed should be 'prosecuted' thehill,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n641,10/28/2020,trump seattle,United States of America,Washington,WA,Donald Trump,2,0\r\n642,10/28/2020,trump sigue su asalto implacable a las regulaciones de protecci\xc3\xb3n ambiental. a partir de mana\xc3\xb1a abre en alaska el tongass uno de los mayores bosques templados del mundo a la industria maderera extracciones y obras de infraestructuras.,United States of America,New York,NY,Donald Trump,1,0.2\r\n643,10/28/2020,trump supporters really are hard die fans. \xf0\x9f\x98\x89,United States of America,Florida,FL,Donald Trump,2,0\r\n644,10/28/2020,trump supporters seem to be unaware that the foreign leaders supporting trump are all authoritarian dictators. is this what they want to make america a dictatorships,United States of America,California,CA,Donald Trump,0,-0.9\r\n645,10/28/2020,trump supporters what have u done to support your community  besides complain.,United States of America,California,CA,Donald Trump,0,-0.6\r\n646,10/28/2020,trump tries to block first african candidate for wto chief,United States of America,California,CA,Donald Trump,0,-0.3\r\n647,10/28/2020,trump trump2020landslidevictory trumplandslide2020,United States of America,Texas,TX,Donald Trump,2,0\r\n648,10/28/2020,trump trumpisalaughingstock,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n649,10/28/2020,trump trumpnotfitforoffice resist biden2020 bidenharris2020tosaveamerica biden,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n650,10/28/2020,trump trumpnotfitforoffice resist biden2020 bidenharristosaveamerica trumpdoesntcare trumpmeltdown trumphasnoplan,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n651,10/28/2020,trump trumpsamerica trumpsuperspreader,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n652,10/28/2020,trump vote2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n653,10/28/2020,trump voters he hates you. he absolutely loathes you. he wants your attention money and votes but he can't stand you and wants you to die.,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n654,10/28/2020,trump vs biden in battleground state,United States of America,New York,NY,Donald Trump,2,0\r\n655,10/28/2020,trump will be loving this one\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,Illinois,IL,Donald Trump,1,0.8\r\n656,10/28/2020,trump | bidenfamilycorruption | blexit2020 | bobulinski | cnn | foxnews | msnbc | usa | democrat | democratsaredestroyingamerica,United States of America,Arizona,AZ,Donald Trump,1,0.1\r\n657,10/28/2020,trump \xe2\x80\x9chey what do ya know i froze my supporters to death in omahaglobal warming is a hoax\xe2\x80\x9d omahastranded trumprallyomaha votebidenharristosaveamerica,United States of America,California,CA,Donald Trump,0,-0.7\r\n658,10/28/2020,trump's campaign website appeared to fall victim to hackers on tuesday night. seems like russia and china is not supporting him after all... vote,United States of America,Nevada,NV,Donald Trump,0,-0.8\r\n659,10/28/2020,trump's courting of african-american votes is yet another scam from the grifter-in-chief.,United States of America,California,CA,Donald Trump,0,-0.8\r\n660,10/28/2020,trump's top 100 scandals - alabama hurricane sharpie-gate | the daily so...  via youtube,United States of America,Nebraska,NE,Donald Trump,0,-0.2\r\n661,10/28/2020,trump........wow.....trump floppy disk repair ltd.  is franchising and selling franchises for $5 millionpoor trump needs money money....trump is like whimpey on popeye where he borrows to get hamburgers and will pay you back later.....not lmaooooooo,United States of America,New York,NY,Donald Trump,0,-0.7\r\n662,10/28/2020,trump2020 votered 45 trump2020landslidevictory trump votetrump antifaterrorists blmisantiamericanmovement,United States of America,Arizona,AZ,Donald Trump,2,0\r\n663,10/28/2020,trumpcrimesyndicate blametrump trumpisnotwethepeople trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n664,10/28/2020,trumpomaha trumpabandonmentpresidency trumpisrussianinstalled trumpisnotthepresident trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n665,10/28/2020,trumprallyomaha bidenfamilycorruption arizona this country allowed illegals immigration in the border states that now changes the demo to turn a rep state 2 toss up covid19 trump is really getting a raw deal from every stand point possible media is tilting this election,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n666,10/28/2020,trumps lack of covid19 plan causes stockmarket slide. donaldtrump bydon,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n667,10/28/2020,trumptaxreturns trump usa,United States of America,Illinois,IL,Donald Trump,2,0\r\n668,10/28/2020,trump\xe2\x80\x99s base isn\xe2\x80\x99r faction it\xe2\x80\x99s a mob. it\xe2\x80\x99s a cult not a culture trumpisanationaldisgrace trumpisalaughingstock trumpisamassmurderer trumpisanationalsecuritythreat trumpislosing trumpisafraud bidenharris2020,United States of America,New York,NY,Donald Trump,0,-0.6\r\n669,10/28/2020,trump\xe2\x80\x99s golden rule as redacted by agbarr. corrupttrump,United States of America,New Mexico,NM,Donald Trump,2,0\r\n670,10/28/2020,trump\xe2\x80\x99s national security adviser is campaigning for him in swing states  via voxdotcom,United States of America,California,CA,Donald Trump,2,0\r\n671,10/28/2020,tuckercarlson \xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 truth maga2020 trump,United States of America,Massachusetts,MA,Donald Trump,1,0.3\r\n672,10/28/2020,tuckercarlsontonight trump trumplandslide2020 hidenbiden hunterbidenslaptop chinajoe aresthillaryclinton,United States of America,New York,NY,Donald Trump,2,0\r\n673,10/28/2020,twenty four former u.s. attorneys all republicans came out in support of joe biden and said trump is \xe2\x80\x9ca threat to the rule of law in our country...trump..gop..usa..,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n674,10/28/2020,twitter is non stop blocking my account making me have to verify my phone number. all because i support trump 2020 fuck you jack,United States of America,California,CA,Donald Trump,0,-0.8\r\n675,10/28/2020,two years after trump put a shovel in the ground wisconsin is still waiting on foxconn to come through,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n676,10/28/2020,typical trump...honestly i think trump wants to lose he will make a fight of it...then reluctantly concedes and leaves...with all our money,United States of America,Colorado,CO,Donald Trump,0,-0.9\r\n677,10/28/2020,unbelievable trump trumprallyomaha trumpislosing,United States of America,District of Columbia,DC,Donald Trump,1,0.7\r\n678,10/28/2020,update donaldtrump exits af1 and makes his way to the stage. livestream about to begin  donaldtrump,United States of America,Nevada,NV,Donald Trump,2,0\r\n679,10/28/2020,vanquishthevaccine   trump is losing it,United States of America,Tennessee,TN,Donald Trump,0,-0.7\r\n680,10/28/2020,via crooksandliars metaphor trump leaves nebraska supporters stranded in freezing temperatures  | trump gop republicans,United States of America,New York,NY,Donald Trump,0,-0.5\r\n681,10/28/2020,via crooksandliars pro-trump 'celebrities' accidentally thank satan for maga  | trump gop republicans,United States of America,New York,NY,Donald Trump,1,0.3\r\n682,10/28/2020,via newcivilrights could biden take texas kamala harris schedules events in lone star state as top analyst moves it to \xe2\x80\x98tossup\xe2\x80\x99  | civilrights lgbtq trump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n683,10/28/2020,via partners4israel pin condemns trump administration\xe2\x80\x99s smear of humanrights orgs,United States of America,New York,NY,Donald Trump,0,-0.8\r\n684,10/28/2020,via rawstory experts justice kavanaugh\xe2\x80\x99s \xe2\x80\x98sloppy\xe2\x80\x99 opinion is an embarrassing mess riddled with errors  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.8\r\n685,10/28/2020,via rawstory over 14000 special agents pen letter to trump and biden saying national security under threat if fbi director is fired  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n686,10/28/2020,via tpm \xe2\x80\x98pure bs\xe2\x80\x99 white house torched for peddling fantasy of trump ending covid pandemic  | trump politics election2020,United States of America,New York,NY,Donald Trump,0,-0.6\r\n687,10/28/2020,vote elections2020 biden trump votingmatters,United States of America,New York,NY,Donald Trump,1,0.1\r\n688,10/28/2020,vote presidentialelection2020 donaldtrump joebiden,United States of America,Ohio,OH,Donald Trump,1,0.3\r\n689,10/28/2020,watch live zeta heads to nola plus protest in philadelphia  blm vote vote2020 election2020 election trump biden maga gawx atlanta atlwx atltraffic alwx flwx lawx mswx nolawx scwx ncwx vawx tnwx hurricane tropics severe tornado,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n690,10/28/2020,watch president trump jokes about landing speaker nancypelosi on mars during rally  \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3,United States of America,Arizona,AZ,Donald Trump,0,-0.5\r\n691,10/28/2020,we are better than trump thinks we are. there are millions of liberals conservatives and independents who know the president has led us down the wrong path. it\xe2\x80\x99s not our political beliefs that separate us. trump gets his power by dividing us. please vote bidenharris2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n692,10/28/2020,we have the trump 2020 45 from fusion firearms available \xe2\x81\xa3 makeamericagreatagain maga democrats kag2020 donaldtrump bidenharris2020 trumpsucks kag fakenews america  biden republican liberal usa trump republicans trumptrain joebiden maga2020 keepamericagreat,United States of America,Florida,FL,Donald Trump,2,0\r\n693,10/28/2020,we keep on warning all you trump loving mf's...but trump followers never listen until it affects them,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n694,10/28/2020,we must protect our country and vote trump biden is extremely compromised. today he put another lid on his schedule after bobulinski exposed him again. he can't deal with it he is weak corrupt and he doesn't care about us. we must show him we are smarter than he is.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n695,10/28/2020,we should all be outraged that trump\xe2\x80\x99s campaign is suing states to stop counting ballots past nov 3rd- in a pandemic with millions of mail-in ballots. this is not right,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n696,10/28/2020,wednesdaywisdom wednesdaythoughts wednesdaymorning wednesdaymotivation wednesdaymood wednesdayvibes just gotta avoid getting distracted by the internet until i can finish reading &amp; editing the last 2 chapters of my trump zombie apocalypse novella then time to write more.,United States of America,New York,NY,Donald Trump,1,0.3\r\n697,10/28/2020,well here is presssec kayleighmcenany\xe2\x80\x99s trump\xe2\x80\x99s chief kool-aid drinker statement on milestaylor calling him \xe2\x80\x9cineffectual &amp; incompetent\xe2\x80\x9d along w/further insults re his skills. but i thought donaldtrump said he \xe2\x80\x98only hires the best and brightest\xe2\x80\x99 anonymous joebiden,United States of America,California,CA,Donald Trump,0,-0.3\r\n698,10/28/2020,well the fact the trump can\xe2\x80\x99t walk down a ramp or single handedly drink from a glass or that he\xe2\x80\x99s always being flown in to a hospital or somewhere  my answer biden,United States of America,California,CA,Donald Trump,0,-0.4\r\n699,10/28/2020,what a show too bad trump doesn\xe2\x80\x99t give a damn,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n700,10/28/2020,what good is deploying the national guard to philidelphia to stop the riots if all they do is sit on their as$es and watch philadelphiariots blmantifaterroriststhugs trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n701,10/28/2020,what is happening in omaha is consistent with how trump mitchmcconnell and the rest of the gop conservative republican leaders neglect and kill their own constituents on a daily basis... that is why they don\xe2\x80\x99t care about massive casualties of the covid pandemic,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n702,10/28/2020,what the dumb media won\xe2\x80\x99t show you  blm -racism cnn foxbews newjersey walkaway trump mmflint chriscuomo jimgaffigan jimmyfallon 50cent,United States of America,New York,NY,Donald Trump,0,-0.8\r\n703,10/28/2020,what's the possibility that biden has c-19 and is hiding in his basement so no one finds out or it will show that even with all his talk - prevention measures anyone can get it. if up gonna get it ur gonna get it.  come on man  trump 2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n704,10/28/2020,what's with trump wearing gloves today,United States of America,Hawaii,HI,Donald Trump,0,-0.3\r\n705,10/28/2020,whatwouldanndo she would tell trump to it's time4trump2cashinthatrussianretirement,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n706,10/28/2020,when his skyscraper proved a disappointment donaldtrump defaulted on his loans sued his bank got much of the debt forgiven \xe2\x80\x94 and largely avoided paying taxes on it.,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n707,10/28/2020,when your bussiness has been shut down for 7 months and you have a $15000 tax bill to pay fu donaldtrump votethemout election2020,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n708,10/28/2020,where there is smoke there is dumpster fire....so why have 19 women accused you of sexual misconduct...why did you pay off a porn star with hush money who do you owe 425 million to how is it only donaldtrump prepays taxes voteblue resistance bidenharris,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n709,10/28/2020,which do you most closely identify with trump2020 trumplandslidevictory2020 trump usa covid19 riots looting philidelphia canichangemyvote foxnews bobulinski philadelphiariots,United States of America,Kentucky,KY,Donald Trump,0,-0.4\r\n710,10/28/2020,which is the most important topic for you in the presidentialrace  presidentialelection2020 presidentialpoll donaldtrump joebiden,United States of America,Florida,FL,Donald Trump,1,0.2\r\n711,10/28/2020,whitehouse donaldtrump cameo ornament is now available at whitehousechristmasornament  this holiday gift can serve as either a handsome christmas display or a gift to a republican party member. usa washingtondc ornament whitehouse donaldtrump,United States of America,District of Columbia,DC,Donald Trump,1,0.4\r\n712,10/28/2020,whitehouse the obama administration created more jobs in the last 3 yrs. of his presidency than trump did in the first 3 yrs. of his. realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n713,10/28/2020,who will be better for immigration trump or biden my take.,United States of America,New Jersey,NJ,Donald Trump,0,-0.2\r\n714,10/28/2020,wisconsin dairy farmer who has been propped up by govt subsidies for years speaking on npr praising trump and talking about how women and blacks have the same opportunities as we do with virtually no pushback from interviewer.\xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,Puerto Rico,PR,Donald Trump,2,0\r\n715,10/28/2020,with a justice in his pocket we all need to prepare for 4 to 8 more years of trump. polling matches 16. focus on senate if you want change. 6 key races and donate to jaimeharrisonforsenate if you can.,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n716,10/28/2020,with a yearly wage of $193400. how is mitch mcconnell worth 27 million dollars trump impeachtrump maga senatemajldr,United States of America,Washington,WA,Donald Trump,0,-0.1\r\n717,10/28/2020,women want their jobs back as well not just men. this is not the 50\xe2\x80\x99s trump  vote,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n718,10/28/2020,woody guthrie was not a fan of fred trump maga antifa americanicon realdonaldtrump,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n719,10/28/2020,worried about immigration and want to vote with that in mind should you pick trump or biden my take.,United States of America,New Jersey,NJ,Donald Trump,0,-0.7\r\n720,10/28/2020,wow i believe every single word of this story and thank you sir for your years of service and protecting my family living in the usa. i can\xe2\x80\x99t even imagine what you have been through. but for 100% honesty god knows and that to me is worst than anything else. trump,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n721,10/28/2020,wow. read louisfarrakhan statement online at  biden trump,United States of America,Illinois,IL,Donald Trump,1,0.3\r\n722,10/28/2020,wow.. joe knows the plan after about march if elected he goes... and kamala becomes the globalization bureaucrats' bureaucrat trump maga,United States of America,New York,NY,Donald Trump,1,0.1\r\n723,10/28/2020,yelenart burning down the gop trump &amp; all the republican incumbents who brought us here  they will all be held accountable,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n724,10/28/2020,you and me both...actually been dealing with a little anxiety  in a couple years i'm going to need social security and probably the aca as well... i hate trump for causing american citizens pain and anguish...anyways 2020 has been a real mf'r,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n725,10/28/2020,you have to listen to this... trump replaced doctors with people who know their place.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n726,10/28/2020,you know trump has brainwashed you. you don\xe2\x80\x99t even see it. i feel sorry for all his sycophants\xe2\x80\x94 i mean \xe2\x80\x9csupporters.\xe2\x80\x9d 2020election trumpers trump,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n727,10/28/2020,you nominated for a nobelpeaceprize donaldtrump is more important than people flooded out of their homes covid19 you truly are so self-absorbed and it would be news if hundreds and thousands of americans had not been murdered under your presidency in an pandemic.,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n728,10/28/2020,\xc2\xbfpor qu\xc3\xa9 el sistema de colegio electoral favorece a donald trump colegio donaldtrump electorales,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n729,10/28/2020,\xe2\x80\x98anonymous\xe2\x80\x99 ... it wasn\xe2\x80\x99t as bad as it looked inside the trump administration\xe2\x80\x94it was worse.\xe2\x80\x9d trump votebluetosaveamerica  via thedailybeast,United States of America,California,CA,Donald Trump,0,-0.4\r\n730,10/28/2020,\xe2\x80\x9cdonaldtrump\xe2\x80\x99s presence in the white house has played a prominent role in converting what was once a safe republican district as recently as 2016 into a toss up race in 2020\xe2\x80\x9d said political science fellow markpjonestx about texas' 22nd district,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n731,10/28/2020,\xe2\x80\x9cthe most dangerous people around the president are over-confident idiots\xe2\x80\x9d. does jared have no sense of irony kushner jaredkushner jaredisaracist trumpislosing trump irony selfawareness confidence,United States of America,New York,NY,Donald Trump,0,-0.9\r\n732,10/28/2020,\xe2\x80\x9c\xe2\x80\x98there\xe2\x80\x99s no way to sugarcoat it\xe2\x80\x99 one american dies every 107 seconds from covid19 as cases surge.\xe2\x80\x9d according to realdonaldtrump all of this is a \xe2\x80\x9cfake news media conspiracy.\xe2\x80\x9d at some point trump needs to be held accountable for this crime.  bidenharris2020 news trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n733,10/28/2020,\xf0\x9f\x94\xb4 live podcast 28 october 2020 on spreaker 2020election alsharptonpimp donaldtrump joebiden,United States of America,New York,NY,Donald Trump,1,0.1\r\n734,10/28/2020,\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3it\xe2\x80\x99s satire but damn it\xe2\x80\x99s a pretty good depiction of the mindset i see on twitter and on tv of trump voters \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\x98\xad\xf0\x9f\x98\xadtrumprallyomaha trump maga cult45,United States of America,California,CA,Donald Trump,1,0.1\r\n735,10/29/2020,breaking down political porn when is enough enough -do they see us-fake news-black twitter politicstoday aapolitics blackpolitics blackcommunity whatblacksneedtoknow blacktwitter trump biden dotheyseeus fakenews political porn ddhairston,United States of America,California,CA,Donald Trump,0,-0.8\r\n736,10/29/2020,trump wisconsin hackers,United States of America,New York,NY,Donald Trump,0,-0.3\r\n737,10/29/2020,breaking down political porn when is enough enoughpolitical porn africanamericanpolitics blackpolitics blacktwitter wokeaf trump biden kamalaharris youtube authors blackauthors nonfiction,United States of America,California,CA,Donald Trump,0,-0.8\r\n738,10/29/2020,oh my gosh i can't stop laughing at the trump video where he thought they were setting off fireworks in his honor but it was really just airplane flare warnings...\xf0\x9f\x98\x82\xf0\x9f\x8e\x86\xe2\x9c\x88\xef\xb8\x8f trump election2020,United States of America,Michigan,MI,Donald Trump,1,0.5\r\n739,10/29/2020,realdonaldtrump election2020 donaldtrump joebiden presidenttrump,United States of America,Tennessee,TN,Donald Trump,1,0.3\r\n740,10/29/2020,...trump supporters forgave florid cruelty overt racism rampant corruption exultant indecency the coddling of murderous despots the alienation of true friends the alienation of truth itself the disparagement of invaluable democratic institutions...,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n741,10/29/2020,.joebiden finally delivering after making promises to voters for 47 years. 2020election election2020 vote vote2020 theoffice hidenbiden trump2020 maga maga2020 gop bidenleaks trump gotv gotv2020,United States of America,Tennessee,TN,Donald Trump,2,0\r\n742,10/29/2020,2020 election polls half of trump supporters say he shouldn\xe2\x80\x99t accept election result if he loses..trump..gop...elections..,United States of America,District of Columbia,DC,Donald Trump,0,-0.9\r\n743,10/29/2020,49 degrees pouring rain - nothing will keep me for voting for realdonaldtrump 2020elections trump2020 foxandfriends seanhannity 4moreyears trump trumptrain trump2020landslide,United States of America,New York,NY,Donald Trump,0,-0.5\r\n744,10/29/2020,4animallife i blame much of trump's support on the network media. they've normalized him since day one and people don't know how deranged and dangerous he is.,United States of America,Arizona,AZ,Donald Trump,0,-0.7\r\n745,10/29/2020,5 more days to vote this imbecile out of office. trump votehimout riddinwithbiden and harris2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n746,10/29/2020,50cent 'wasn't serious' about donaldtrump endorsement according to ex chelseahandler,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n747,10/29/2020,a decade after it opened trump tower chicago is city's biggest retail failure. undulating facade sunken location make it awkward. `it's a dreadful space'cre il realestate,United States of America,New York,NY,Donald Trump,0,-0.7\r\n748,10/29/2020,a political wave of any kind probably won\xe2\x80\x99t budge boston\xe2\x80\x99s housing market  election trump biden realestate marealtors gbreb nardotrealtor,United States of America,Massachusetts,MA,Donald Trump,0,-0.7\r\n749,10/29/2020,a trump / biden stand-off. is this isn\xe2\x80\x99t a sign of civil war what is,United States of America,California,CA,Donald Trump,0,-0.3\r\n750,10/29/2020,abc trust trump right hospitals \xf0\x9f\x8f\xa5 are being cyber attacked in the hospital on sick americans like the hit on us soldiers wtf trump covid19 is real and his daughter can say \xe2\x80\x9ci\xe2\x80\x99m blessed\xe2\x80\x9d catching the virus \xf0\x9f\xa6\xa0 then travelling the country. third surge of covid19 because no\xf0\x9f\x98\xb7\xf0\x9f\xa6\xa0\xf0\x9f\xa6\xa0,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n751,10/29/2020,acosta we all agree with trump you stooge,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n752,10/29/2020,adtlv vegasgop vegaslocals teamsters trump trump2020 trump2020landslide,United States of America,Nevada,NV,Donald Trump,1,0.1\r\n753,10/29/2020,africanamericans &amp; people in africa are angry that trump is blocking their blackwoman dr ngoziokonjoiweala from becoming the directorgeneral of worldtradeorganization wto ~ ngiziiweala is an american &amp; a nigeria former finance minister *,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n754,10/29/2020,after we vote donaldtrump out of office and all of you complaining about the girlsscouts tweet better vote i hope we can remember that aspiring to be the better person to be more gracious than our feelings and emotions would demand is a worthy goal.,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n755,10/29/2020,all those conservative judges installed by mcconnell and trump are now being activated to suppress the vote. do not put those ballots in us post office boxes. please find an official drop location or vote in person on nov. 3. votersuppression trumpjudges voteearly vote trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n756,10/29/2020,alumniagainsttrump trumpisunfitforoffice trump americaortrump votebidenharris,United States of America,Oregon,OR,Donald Trump,1,0.1\r\n757,10/29/2020,america let's vote.   flipitblue yourvotematters demcast everyvotecounts demcastga kushnertapes voteearly coronavirus trump,United States of America,California,CA,Donald Trump,2,0\r\n758,10/29/2020,amycomeybarrett gorsuch kavanaugh scotus trump,United States of America,New York,NY,Donald Trump,2,0\r\n759,10/29/2020,and what has trump done for them  not a fucking thing,United States of America,New York,NY,Donald Trump,0,-0.8\r\n760,10/29/2020,andrewhclark private citizen can have a meeting - focus on all the people dying due to covid or the people rushed to the emergency room in omaha after a trump rally - or even be more positive and talk about the economy - just stop spreading stupid bullshit,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n761,10/29/2020,angiebeans after watching trump speak i do this... it takes away my upset stomach \xf0\x9f\x98\x80,United States of America,California,CA,Donald Trump,1,0.8\r\n762,10/29/2020,another epic drop from reckless media podcast politics trump biden debate  on podbean,United States of America,Arizona,AZ,Donald Trump,0,-0.6\r\n763,10/29/2020,another trump failure  trump trumpnotfitforoffice resist biden2020 bidenharristosaveamerica trumpdoesntcare trumpmeltdown trumphasnoplan,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n764,10/29/2020,anybody that come out the house with a trump mask on for halloween,United States of America,North Carolina,NC,Donald Trump,1,0.2\r\n765,10/29/2020,anyone saying biden &amp; trump are the same is either a bot or a fucking fool. while hardworking undocumented immigrants &amp; muslims will immediately fare better under bidenharris there's the reality that it's better to protest a president of a party w/a growing progressive wing.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n766,10/29/2020,aoc yes drink water but not the $3.00 glass of water trump charges the american taxpayer.,United States of America,California,CA,Donald Trump,0,-0.3\r\n767,10/29/2020,arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter cat catsofinstagram  kittens trump -,United States of America,Texas,TX,Donald Trump,2,0\r\n768,10/29/2020,artistatlarge19 rvat2020 that\xe2\x80\x99s how bad the rightwingmedia has portrayed the left. seriously if the shoe were on the other foot &amp; democrats ran someone as awful &amp; dangerous as trump &amp; republicans ran someone as moderate as biden mccain kasich romney we\xe2\x80\x99d all have zero issues with voting red.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n769,10/29/2020,as a naturalized citizen i cherish the privilege of voting in this great country  if you don\xe2\x80\x99t vote don\xe2\x80\x99t complain\xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xe2\x9d\xa4\xef\xb8\x8f vote2020 4moreyears trump keepamericagreat,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n770,10/29/2020,austan_goolsbee trump at this point should just appear at every rally with a scythe and a hood.....,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n771,10/29/2020,based_leftist elementalfox18 sean_antrim leosheldon8 nexusjorge0 aoc sounds like trump \xf0\x9f\x98\x82,United States of America,New York,NY,Donald Trump,2,0\r\n772,10/29/2020,because his name is biden not trump... \xe2\x80\x98that is all.\xe2\x80\x99,United States of America,Missouri,MO,Donald Trump,0,-0.4\r\n773,10/29/2020,because there is no biden corruption but there is trump corruption,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n774,10/29/2020,bettemidler trump also had the helicopter hover over them so he could wave. unfortunately the wind from the blades brought the wind chill down to -98 degrees.,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n775,10/29/2020,bhawksfan9 thanks bob.. larussa likes trump which means 80% of the sports media in chicago  are throwing things right now,United States of America,Illinois,IL,Donald Trump,1,0.2\r\n776,10/29/2020,biden campaign announces that kamalaharris will visit florida on saturday three days before november3rd - another signal of the importance of the state in election2020 as trump and biden visit today,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n777,10/29/2020,biden claims trump pushed barrett confirmation to 'destroy' aca potus government trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n778,10/29/2020,biden is out scream-babble-reading to people in tampa. biden 2020election whereshunter realdonaldtrump donaldjtrumpjr trump,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n779,10/29/2020,biden's lead in pennsylvania hasn't budged fandmcollege poll shows biden leads trump in keystone state 50% to 44% among likely voters &amp; holds a larger vote share in counties hillary clinton won in 2016 than trump holds in counties he won that year,United States of America,Puerto Rico,PR,Donald Trump,2,0\r\n780,10/29/2020,bidencrimefamiily bidenharris2020 dnc2020 trump2020 trumplandslide2020 hunterbiden trump maga2020 maga 2020election,United States of America,North Carolina,NC,Donald Trump,2,0\r\n781,10/29/2020,bidenharris2020 biden2020 trump,United States of America,Colorado,CO,Donald Trump,2,0\r\n782,10/29/2020,bidenwarroom make a video of trump campaign speeches about covid to endless coffins \xe2\x9a\xb0\xef\xb8\x8f in a rally.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n783,10/29/2020,blametrump trumpsurrenderedtocovid trumpcannotlead trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n784,10/29/2020,both of us plead the trump defense...we didn't do it,United States of America,Colorado,CO,Donald Trump,0,-0.6\r\n785,10/29/2020,brassbandman you\xe2\x80\x99ll come around on tuesday or will it be another 4 years of hate trump rage and denying the results of the election,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n786,10/29/2020,breaking election suppression bombshell \xe2\x80\x93 they have busted  via outraged patriot hunterbiden trump tech conservative maga,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n787,10/29/2020,breaking miles taylor has come forward and revealed himself to be anonymous the mysterious washington official who has claimed to be working within the administration to restrain trump\xe2\x80\x99s impulses for the good of the country. milestaylor anonymous donaldtrump potus,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n788,10/29/2020,bryanbehar sadly i feel no pity for this trump lover,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n789,10/29/2020,bvdahl natesilver538 betfair related contingencies are undervalued some and that might be the culprit. nate has biden up 2.3% in nc and simulated that gives him a 65% to carry the state. trump w state by ~170k votes in 2016. let\xe2\x80\x99s assume you know potus retains nc. how does that affect pa prices etc.,United States of America,Nevada,NV,Donald Trump,2,0\r\n790,10/29/2020,capehartj me in donaldtrump america.,United States of America,Colorado,CO,Donald Trump,1,0.2\r\n791,10/29/2020,catch me on kennedynation tonight 8pm/e on foxbusiness talking biden trump election2020 and we'll be playing 'prez your luck' hope you'll tune in,United States of America,California,CA,Donald Trump,0,-0.3\r\n792,10/29/2020,cause they followed a trump realdonaldtrump,United States of America,California,CA,Donald Trump,0,-0.4\r\n793,10/29/2020,celebnmovies247 sashabaroncohen trump,United States of America,California,CA,Donald Trump,2,0\r\n794,10/29/2020,check out this new addition to wastedinkdistro\xe2\x80\x99s zine collection. just in time for election watch parties and holiday gift-giving. best use yet for trump tweets.,United States of America,California,CA,Donald Trump,1,0.5\r\n795,10/29/2020,check out user9678256082282's video tiktok trump the idiot  this is from super intelligent man,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n796,10/29/2020,chrissysnow1970 winning_ms j035ich5pach joebiden tuckercarlson i care as much as i care what trump and his family has been doing.  and now that\xe2\x80\x99s corruption.  but ok.  i\xe2\x80\x99m willing to give both the same truce,United States of America,New York,NY,Donald Trump,1,0.1\r\n797,10/29/2020,classic trump misinformation spread virulently like covid-19 by the gopsuperspreaders,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n798,10/29/2020,cnn's vanjones was attacked the other day for praising trump. black voices only matter to democrats and liberals if it's speaking their own words. there can be no diversity of thought. this should tell you what they are really about.,United States of America,California,CA,Donald Trump,0,-0.6\r\n799,10/29/2020,coveyspreader don\xe2\x80\x99t give a shit donaldtrump joebiden vote,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n800,10/29/2020,covid case counts are at all time record highs in many states right now. trump is an idiot who does not listen to science   can\xe2\x80\x99t wait until the nation votes him out.,United States of America,California,CA,Donald Trump,0,-0.3\r\n801,10/29/2020,covid19 is death by trump,United States of America,Washington,WA,Donald Trump,0,-0.6\r\n802,10/29/2020,crooked donaldtrump played golf all summer while his sba gave away billions of our taxpayer dollars to career criminals in chicago russia and nigeria through an ill-conceived ppp program. sad.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n803,10/29/2020,ddiamond trump,United States of America,Illinois,IL,Donald Trump,2,0\r\n804,10/29/2020,decorum civilleadership civildebate civildiscourse civility joebiden donaldtrump hillaryclinton mittromney politicsandemotion toranosukeyoshida,United States of America,Colorado,CO,Donald Trump,1,0.2\r\n805,10/29/2020,democrats continue to blame trump for covid deaths while they throw out grossly inflated numbers of those testing positive. since democrats have nothing solid to run on they use the coronavirus as a weapon to scare people into voting for them. covid19 will fade after election,United States of America,New York,NY,Donald Trump,0,-0.7\r\n806,10/29/2020,democrats in america would be so happy if this was happening to trump supporters and attendees at the peaceful protests,United States of America,Missouri,MO,Donald Trump,2,0\r\n807,10/29/2020,despicable. trump,United States of America,Indiana,IN,Donald Trump,0,-0.4\r\n808,10/29/2020,diablobeige adgs8 trumpleadustodeath trumpdeathrallys trumpspreading trump toxictrump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n809,10/29/2020,did they or \xe2\x80\x94 is this a case of trump stealing from his campaign fund,United States of America,California,CA,Donald Trump,0,-0.6\r\n810,10/29/2020,doctors confirm it at walter reed...trump has no brain...,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n811,10/29/2020,does anyone know how reliable floridadude297 polls are or who conducts them i\xe2\x80\x99ve asked these questions before but never get a response no one seems to know. trump2020 trump2020landslide proudconservative conservative trump veteransfortrump veterans kag,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n812,10/29/2020,don't call us we'll call you trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n813,10/29/2020,don't sell yourself nor other americans short by not doing your own research about our president. he is doing great things for all americans in the usa. 4moreyears 2020elections middleclass donaldtrump wakeupamerica vote corruptjoebiden laptopfromhell changeyourvote,United States of America,Alabama,AL,Donald Trump,1,0.4\r\n814,10/29/2020,donald i got some joe biden news. come here and smell it. - rudy realdonaldtrump rudygiuliani maga maga2020 ridinwithbidenharris electiontwitter trump2020 elections2020 election vote trump democrats joebiden politics donaldtrump maga biden covid berniesanders,United States of America,Georgia,GA,Donald Trump,2,0\r\n815,10/29/2020,donald trump always leaves his own supporters out in the cold by jessicalexicus  politics news society election2020 donaldtrump trump,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n816,10/29/2020,donald trump make america great again republican ceramic ornament  election2020 uspolitics trump,United States of America,California,CA,Donald Trump,1,0.7\r\n817,10/29/2020,donaldjtrumpjr arnie\xe2\x80\x99s army &lt;&gt; fuck trump &amp; fat jack .... bidenharris2020,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n818,10/29/2020,donaldtrump is rolling back the efficiency of dishwashers. apparently because he eats so much fast food that the grease of his burgers interferes with the plumbing of his luxury apartments.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n819,10/29/2020,donaldtrump is rolling back the efficiency of toilets. apparently because his turds are so huge that they won't flush after multiple flushes.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n820,10/29/2020,donaldtrump trump blm blackvotersmatter blackvotes breakingnews cnn foxnews joebiden bidenharris2020 biden,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n821,10/29/2020,donaldtrump \xe2\x80\x9cwe\xe2\x80\x99re getting your husbands back to work \xe2\x80\x9c tonedeaf   womensrights votehimout votebluetosaveamerica,United States of America,California,CA,Donald Trump,2,0\r\n822,10/29/2020,donaldtrump\xe2\x80\x99s neverending campaign againstthemedia    via ringer news trump presidentialelection2020 election2020 media 60minutes firstamendment freedomofthepress,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n823,10/29/2020,don\xe2\x80\x99t forget to vote for our president who loved by the american people or not has always done what he can to help this country donald j trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 elections2020  donaldtrump keepamericagreat 4moreyears,United States of America,Ohio,OH,Donald Trump,1,0.2\r\n824,10/29/2020,el washington post lanz\xc3\xb3 duro editorial contra donald trump -  evnews donaldtrump eleciones2020 eeuu,United States of America,Florida,FL,Donald Trump,2,0\r\n825,10/29/2020,en florida gana trump es un estado clave,United States of America,Florida,FL,Donald Trump,2,0\r\n826,10/29/2020,encouraging numbers as the u.s. gdp shows huge 33.1% increase in q3 much better than expected. coming off the worst quarter in history the u.s. economy grew at the fastest pace ever. gdp donaldtrump america usa,United States of America,North Carolina,NC,Donald Trump,1,0.3\r\n827,10/29/2020,erictrump realdonaldtrump small businesses employ 60million+ americans and trump let one in five of them go out of business during covid19 .  now mcconnell has sent congress on vacay without a relief package while americans and small businesses suffer even more. how is this good votebluedownballot,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n828,10/29/2020,everastegui has to be too blind to believe that trump want to make mexico great everastegui  open your eyes and see this administration policies against immigrants.,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n829,10/29/2020,everything you\xe2\x80\x99re allowed to know about the election. twitter 1stamendment vote yoyoel realdonaldtrump joebiden trump biden newyorkpost google election2020,United States of America,California,CA,Donald Trump,2,0\r\n830,10/29/2020,exclusive biden leads trump by 12points in a national utdallas poll\xc2\xa0  via voxdotcom news polling election2020 electionday elections2020 vote bidenharris2020 bidenharris2020landslide bidenharris2020tosaveamerica 2020election trumpislosing,United States of America,Texas,TX,Donald Trump,2,0\r\n831,10/29/2020,expect delays tampa dale mabry today as trump holds a 130pm rally at raymond james stadium. cars are already lining up there. expect delays on i-4 us-301 later as joebiden will host a drive thru rally at 630pm at the florida state fairgrounds. trafficon10 10tampabay,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n832,10/29/2020,expect delays tampa dale mabry today as trump holds a 130pm rally at raymond james stadium. cars are already lining up there. expect delays on i-4 us-301 later as joebiden will host a drive thru rally at 630pm at the florida state fairgrounds. trafficon10 10tampabay,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n833,10/29/2020,f-16 aircraft intercepts a plane near president trump rally in arizona  via youtube trump trumprally rally arizona,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n834,10/29/2020,federal judge will allow e. jean carroll to sue donaldtrump for defamation over rapeallegations  via democracynow,United States of America,New York,NY,Donald Trump,0,-0.6\r\n835,10/29/2020,flint mich - flint city council member maurice davis spoke before vice president mike pence at flint bishop airport saying he supports president donald trump.  donaldtrump,United States of America,New York,NY,Donald Trump,2,0\r\n836,10/29/2020,former dhs official says he wrote 'anonymous ' trump critique,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n837,10/29/2020,former trump administration official miles taylor who in recent months became a vocal critic of the president revealed himself to be \xe2\x80\x9canonymous\xe2\x80\x9d the unnamed figure who in 2018 penned an infamous new york times op-ed slamming trump.,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n838,10/29/2020,foxnews could this happen yes. but as much as you want it to happen foxnews your own polls indicate otherwise. this would be the best case scenario for trump but it's a huge long-shot.,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n839,10/29/2020,from the archives  trump critics push conspiracy theories about postal service mailboxes  democrats mailgate,United States of America,New York,NY,Donald Trump,0,-0.5\r\n840,10/29/2020,fucking trump...,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n841,10/29/2020,full cnn clip of former trump campaign official jessicadenson07. share with voters on the fence or trump supporters m64mcbride davidmweissman repsforbiden bidenreps projectlincoln countryoverparty,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n842,10/29/2020,funny healthcare covid19 trump,United States of America,New York,NY,Donald Trump,1,0.5\r\n843,10/29/2020,fyi rachelbitecofer therickwilson fyi jamesfallows ad reflects your point that no employer or organization would accept trump behavior and failures. stuartpstevens,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n844,10/29/2020,gatewaypundit my question is are they really that insane or does george soros just pay that well trump nypost,United States of America,New York,NY,Donald Trump,0,-0.4\r\n845,10/29/2020,gaytheist4 nbcnews oh shut it donaldtrump is the least anti immigrant there is. his wife is an immigrant why would a racist marry someone immigrant and have kids with something you probably won't know,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n846,10/29/2020,georgetakei cowards are never good enough for the military thankfully. standing on the wall for this country takes a certain kind of special. army  marines  navy  airforce  coastguard  nationalguard . trump doesn't qualify .,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n847,10/29/2020,ggreenwald we're not interested in one more mouthpiece for trump propaganda.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n848,10/29/2020,gonewiththywind berniesgulag trump,United States of America,Illinois,IL,Donald Trump,2,0\r\n849,10/29/2020,gonna release an exclusive live track on bandcamp this friday. teaser its about when woody guthrie met donald trump's dad in brooklyn. bandcampfriday folk woodyguthrie trump thismachinekillsfascists america vote musicislife,United States of America,Indiana,IN,Donald Trump,1,0.2\r\n850,10/29/2020,good morning usa donaldtrump goodmorning goodmorningtwitterworld mikepencepickuplines  newsnight  todayshow,United States of America,California,CA,Donald Trump,1,0.6\r\n851,10/29/2020,gop - current protocols for handling covid19 on the campaign trail. disgraceful vp. trump,United States of America,Indiana,IN,Donald Trump,0,-0.3\r\n852,10/29/2020,h-1b visas trump admin proposes to scrap computerised lottery\xc2\xa0system,United States of America,California,CA,Donald Trump,0,-0.5\r\n853,10/29/2020,haha philadelphia da warns president trump on election poll-watchers 'break the law here and i've got something for you.' larrykrasner philly,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n854,10/29/2020,hahaha lyinbiden makes a ass out of himself every time to those that actually listened to what trump actually said. poor joe,United States of America,California,CA,Donald Trump,0,-0.5\r\n855,10/29/2020,he's going to lose. and he's going to lose big in a historic humiliating landslide. and then he's gonna spend the rest of his life miserable broken and facing lawsuits indictmentsand prison. every single damn thing he deserves....trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n856,10/29/2020,here is the video of the so called innocent man he was chasing them what are they supposed to do not go home to their family but let him go home to his ol hell no &amp; if n e 1 else was n that situation it would have the same outcome or they would be dead and carried by 6 trump,United States of America,Virginia,VA,Donald Trump,0,-0.8\r\n857,10/29/2020,here you go again realdonaldtrump and to his supporters. this is who you are willing to be. this is who trump really is and you know it and still there you are maga maga2020 trumplandslide2020 maga2020landslidevictory trumplandslidevictory2020 trumpisafraud,United States of America,California,CA,Donald Trump,1,0.2\r\n858,10/29/2020,here's what booming gdp numbers say about trump's economy andy puzder | fox business trump elections2020,United States of America,North Carolina,NC,Donald Trump,2,0\r\n859,10/29/2020,hey active military voters trump just told you to shove your votes up your ass. apparently your vote doesn\xe2\x80\x99t matter. vote,United States of America,California,CA,Donald Trump,0,-0.4\r\n860,10/29/2020,hey beave...think that trump guy is here to grab you,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n861,10/29/2020,he\xe2\x80\x99s not wrong. trump all day. vote,United States of America,California,CA,Donald Trump,1,0.2\r\n862,10/29/2020,hillary was a polarizing unpopular figure even among many democrats. but equating her to trump would be stupid. so i don't care who liked bush and who didn't. i have no patience for it. ffs focus on what's in front of us and what unites us or get out of the way. election2020,United States of America,Colorado,CO,Donald Trump,0,-0.4\r\n863,10/29/2020,holy cow trump is a fav of the mafia,United States of America,New York,NY,Donald Trump,1,0.5\r\n864,10/29/2020,how coldhearted of trump to leave trumpsupporters out in the omaha cold. are they still loyal  gop senategop,United States of America,California,CA,Donald Trump,0,-0.1\r\n865,10/29/2020,how do we deal with the minuscule joebiden supporters after trump wins the election this is what happens when you can't accept the outcome of an election voterfraud,United States of America,Minnesota,MN,Donald Trump,0,-0.8\r\n866,10/29/2020,how the trump administration fumbled response to another deadly epidemic\xe2\x80\x94opioids npr brianmannadk,United States of America,New York,NY,Donald Trump,0,-0.8\r\n867,10/29/2020,however our bigger dispute with mr trump is over something more fundamental. in the past four years he has repeatedly desecrated the values principles and practices that made america a haven for its own people and a beacon to the world. elections2020,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n868,10/29/2020,huffpostpol well hannity is right. doom gloom and fear-mongering all part of democrats plot to scare people blame covid on trump  taking steps to keep the economy from fully opening. inflating positive case numbers and deaths. but not reporting on recoveries and false-positive tests.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n869,10/29/2020,huge show tonight seminolecounty supervisor of elections ch_anderson_ and political science prof frankmsorrenti1 talks polling and hunter biden trump biden elections2020 elections florida polls hunterbiden,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n870,10/29/2020,hurricanezeta2020 pounds nola - peta upset over \xe2\x80\x9cforced monkey labor\xe2\x80\x9d - jack denies obvious censorship - cdc says no more italian meats - christians seen as obstacles to progressives - philly da tries to intimidate trump podernfamily podrec,United States of America,Arizona,AZ,Donald Trump,0,-0.8\r\n871,10/29/2020,h\xc3\xbfp\xc3\xaar\xc5\x84\xc3\xb8rm\xc3\xa5\xc5\x82 \xc5\x82\xc4\xafz\xc3\xa5rd \xc5\x84\xc3\xa2t\xc3\xae\xc3\xb4\xc3\xb1 pt.36 \xe2\x80\x9cthe w\xc3\xa2\xc5\x82\xc5\x82 \xc3\xa2md\xc3\xb4c\xc5\xa1 \xc3\xae\xc3\x9fra\xc3\xaa\xc5\x82i \xc5\xa1p\xc3\xbfring\xc3\x9f \xf0\x9f\x9b\x91 trump drug trafficking at the border wall \xf0\x9f\x9b\x91\xf0\x9f\x9a\xa8,United States of America,New York,NY,Donald Trump,0,-0.4\r\n872,10/29/2020,i am very hopeful that we will have a bluewave2020  and win the house the senate and the white house. what i am terrified of is the time between the election and inauguration. trump  admin could cause complete devastation within the federal government in that time.,United States of America,New Mexico,NM,Donald Trump,0,-0.1\r\n873,10/29/2020,i believe endorsements can make a difference but i feel like the \xe2\x80\x9ci was undecided but since jacknicklaus supports trump i\xe2\x80\x99ve made up my mind to vote for him too\xe2\x80\x9d voter is pretty rare.,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n874,10/29/2020,i can't believe the election will be in just a few days and my friends can either start crying over their unusable passports or breaking quarantine to party in the streets. trump biden letsdothis america,United States of America,Connecticut,CT,Donald Trump,0,-0.3\r\n875,10/29/2020,i couldn't have said it better. what a wretched pathetic sell-out lindseygrahamsc has become. he used to stand up to trump and now has just become the presidential lap dog. vote southcarolina jamieharrison4senate lindseymustgo,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n876,10/29/2020,i dont think nycmayor gets the pain mets fans feel. he just doesn't get what will happen if he stops this sale. it's more than just 1 billionaire. he's literally going to destroy peoples lives. this isn't the same as 'lower police spending' sir... mets nyc trump,United States of America,Georgia,GA,Donald Trump,0,-0.6\r\n877,10/29/2020,i find it irritating when donaldtrump continually swears at his rallies.   it's as if he's trying to persuade us he's a regular butch guy.  nothing could be further from the truth.  he's a thorough-going coward,United States of America,New York,NY,Donald Trump,0,-0.7\r\n878,10/29/2020,i heard bidenharris2020 is up by 100% over trump. it\xe2\x80\x99s in the bag. no need to bother voting. stay home and get high or go burn a building down or whatever. enjoy yourself on election day.,United States of America,Maryland,MD,Donald Trump,2,0\r\n879,10/29/2020,i know a large number of people recognized a long time ago on trump \xe2\x80\x98s resume he wouldn\xe2\x80\x99t make it to the 1st interview. this highlights that fact. trumpdeathtoll231k,United States of America,Nevada,NV,Donald Trump,2,0\r\n880,10/29/2020,i love when you call trump supporters stupid.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n881,10/29/2020,i sometimes wonder about this too.  but seeing how trump and the gop operate even when biden wins i think the country will still need resisters.,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n882,10/29/2020,i suspect trump has far more silent support from minority communities than the polls suggest. kag2020 trump maga,United States of America,California,CA,Donald Trump,0,-0.1\r\n883,10/29/2020,i wonder what trump thinks vote,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n884,10/29/2020,i'm afraid trojan horse joe and kommunist harris will win next week. biden trump,United States of America,Indiana,IN,Donald Trump,0,-0.2\r\n885,10/29/2020,if i was going to pay for a trump sign to fly over seattle i would have made it readable on both sides but that's just me. votebiden,United States of America,Washington,WA,Donald Trump,2,0\r\n886,10/29/2020,if president trump declares the election on november 3rd then we'll know he really thinks soldiers are suckers and losers.,United States of America,Tennessee,TN,Donald Trump,0,-0.9\r\n887,10/29/2020,if she\xe2\x80\x99s asking trump rallies to this and families to limit holiday gatherings she should be asking protestors and rioters to do the same.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n888,10/29/2020,if somehow realdonaldtrump should win the election but the senatedems win a majority trump will be impeached and kicked out of office,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n889,10/29/2020,if trump wins the purges will be tsunami-like. votehimout,United States of America,Virginia,VA,Donald Trump,1,0.1\r\n890,10/29/2020,if you vote for trump it means no kids in school no graduations no weddings no thanksgiving no christmas and no fourth of july together. why because he'll never get covid19 under control. we're in a third wave and he keeps saying we've rounded the turn.,United States of America,Tennessee,TN,Donald Trump,0,-0.7\r\n891,10/29/2020,if you vote for trump you are an idiot and a racist.,United States of America,Oregon,OR,Donald Trump,0,-0.9\r\n892,10/29/2020,ilhanmn trump goes on insanely bigoted rant against ilhanomar at campaign rally  humanistreport cult45 whitesupremacy nationofimmigrants refugeeswelcome trumpmustgo votetrumpout2020,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n893,10/29/2020,in 2016 trump won the electoral college by winning 3 states by 80000 popular votes. today covid19 ravages those states - 2000 infections a day in michigan and pennsylvania; 5000 in wisconsin. bungling covid19 means trump is killing his voters.,United States of America,Arizona,AZ,Donald Trump,0,-0.3\r\n894,10/29/2020,in a break from trump trolling here's this bit of breaking news from the other line of work i'm in nytimes guildsomm,United States of America,New York,NY,Donald Trump,2,0\r\n895,10/29/2020,in the off chance that donaldtrump wins i say we all move to amsterdam and start an expats colony called loveland \xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\xa7\xa1\xf0\x9f\x92\x9b\xf0\x9f\x92\x9a\xf0\x9f\x92\x99\xf0\x9f\x92\x9c,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n896,10/29/2020,in the usa we don\xe2\x80\x99t prosecute our political opponents because that isn\xe2\x80\x99t what a democracy does it is what dictatorships do. unfortunately trump his administration and certain members of the gop including some elected to the house and senate have forced it on us.,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n897,10/29/2020,infection rates soar and trump struggles in formerly solid republican states. covid19,United States of America,Arizona,AZ,Donald Trump,2,0\r\n898,10/29/2020,ingrahamangle didn\xe2\x80\x99t aoc blast trump for calling her aoc,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n899,10/29/2020,irishstand so ur ok with locking up immigrant children at the border trump is using the cages built by obama &amp; biden; biden wrote the disastrous 1994 crime bill that exploded the prison population that created the prison-industrial complex; he's going to veto m4a he won't ban fracking,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n900,10/29/2020,it amazes me. if trump would've listened to his experts and advisers in the beginning covid wouldn't of been as bad as it is. he could've embraced masks and sent out and sold millions of maga masks. the election would've been his. stupid,United States of America,New York,NY,Donald Trump,0,-0.3\r\n901,10/29/2020,it is what it is donaldtrump is a liar thursdaythoughts,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n902,10/29/2020,it's ok people keep it moving keep it moving it's ok they're all white nothing to see here keep it moving climateactionnow building counteveryvote funny theyaretheproblem whiteprivilege trump donaldtrump maga,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n903,10/29/2020,itsjefftiedrich these documents are with the trump healthcare documents that have been missing for nearly 4 years,United States of America,New York,NY,Donald Trump,0,-0.1\r\n904,10/29/2020,i\xe2\x80\x99m having a good day.  i haven\xe2\x80\x99t seen or heard trump allll day.  ty jesus.  trumpmakesmeill trump trumpispathetic,United States of America,New York,NY,Donald Trump,1,0.2\r\n905,10/29/2020,i\xe2\x80\x99m packing up to move to georgia... donaldtrump you should start packing too vote,United States of America,New York,NY,Donald Trump,0,-0.1\r\n906,10/29/2020,j035ich5pach joebiden tuckercarlson why would he  for a meeting that took place in 2017  why is that relevant  would you judge donaldtrump for a private business meeting he had in 2013  i think not.  vote joebiden,United States of America,New York,NY,Donald Trump,0,-0.1\r\n907,10/29/2020,jacknicklaus says he\xe2\x80\x99s voting for trump because he endorses white supremacy,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n908,10/29/2020,jasonmillerindc that's pretty bad for trump thetraitor when wsjbusiness gives up on donthecon,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n909,10/29/2020,jerzy12966101 liegeoiscathy hkrassenstein realdonaldtrump it\xe2\x80\x99s been too late.  cathy will be wearing a straight jacket after trump is re-elected.  \xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n910,10/29/2020,joebiden **lyric video for new single \xe2\x80\x9cface the fire\xe2\x80\x9d pls share   facethefire vote\xc2\xa0 govote newsingle votehimout joebiden biden2020 byedon kamalaharris bidenharris2020 voteblue election2020\xc2\xa0 trumpliedpeopledied trump trumpcovid,United States of America,New York,NY,Donald Trump,1,0.2\r\n911,10/29/2020,joebiden **lyric video for new single \xe2\x80\x9cface the fire\xe2\x80\x9d pls share   facethefire vote\xc2\xa0 govote newsingle votehimout joebiden biden2020 byedon kamalaharris bidenharris2020 voteblue election2020\xc2\xa0 trumpliedpeopledied trump trumpcovid,United States of America,New York,NY,Donald Trump,1,0.2\r\n912,10/29/2020,joebiden **lyric video for new single \xe2\x80\x9cface the fire\xe2\x80\x9d pls share   facethefire vote\xc2\xa0 govote newsingle votehimout joebiden biden2020 byedon kamalaharris bidenharris2020 voteblue election2020\xc2\xa0 trumpliedpeopledied trump trumpcovid,United States of America,New York,NY,Donald Trump,1,0.2\r\n913,10/29/2020,joebiden **lyric video for new single \xe2\x80\x9cface the fire\xe2\x80\x9d pls share   facethefire vote\xc2\xa0 govote newsingle votehimout joebiden biden2020 byedon kamalaharris bidenharris2020 voteblue election2020\xc2\xa0 trumpliedpeopledied trump trumpcovid,United States of America,New York,NY,Donald Trump,1,0.2\r\n914,10/29/2020,joebiden **lyric video for new single \xe2\x80\x9cface the fire\xe2\x80\x9d pls share   facethefire vote\xc2\xa0 govote newsingle votehimout joebiden biden2020 byedon kamalaharris bidenharris2020 voteblue election2020\xc2\xa0 trumpliedpeopledied trump trumpcovid,United States of America,New York,NY,Donald Trump,1,0.2\r\n915,10/29/2020,joebiden eell drfaucis1 hasn't been wrong yet.  trump thetraitor didn't want us to panic who does that with a global pandemic.    nobody especially a real president,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n916,10/29/2020,joebiden kamalaharris  if elected to the whitehouse will you remove the barriers trump had put up  will we be able to see the whitehouse again,United States of America,New York,NY,Donald Trump,0,-0.2\r\n917,10/29/2020,joebiden quotes trump,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n918,10/29/2020,just in case people forgot trump in his own voice made a decision to lie  to the american people and play down this pandemic. it\xe2\x80\x99s not fakenews. the only thing fake is the message he\xe2\x80\x99s been giving us. i\xe2\x80\x99m voting for honesty and against deception joebiden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 2020,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n919,10/29/2020,just when you thought 2020 couldn\xe2\x80\x99t get any stranger ... comes the arrival of little monster trump. makehalloweengreatagain halloween trump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n920,10/29/2020,justice barrett must recuse herself from 2020 election cases. learn more here  trump gave barrett lifetime seat on court while votes in re-election race were cast &amp; made it clear he wanted her there in case election issues made it to the supreme court.,United States of America,North Carolina,NC,Donald Trump,0,-0.5\r\n921,10/29/2020,kamalaharris trump and senategop made their choice. now they have to live with it they might have a very long time to live with their political mistake,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n922,10/29/2020,karenpence mike_pence another trump superspreader event in the books for wisconsin.  nice job gop.,United States of America,Wisconsin,WI,Donald Trump,1,0.5\r\n923,10/29/2020,kenwebsterii fembot's brains after trump wins...again...,United States of America,California,CA,Donald Trump,2,0\r\n924,10/29/2020,kimberlyjo12345 cbsnews \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd thank you trump brought up springsteen name at his rally and bruce was asked by gayle about it  it wasn\xe2\x80\x99t like bruce initiated a conversation about trump trump followers always play as if he\xe2\x80\x99s being victimized when he\xe2\x80\x99s the bully,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n925,10/29/2020,klove and air1 parting ways with the crew at the california for the move to nashville kloveradio air1radio klove air1 jesus christian maga nashville tennessee trump,United States of America,Tennessee,TN,Donald Trump,1,0.2\r\n926,10/29/2020,klove ceo bill reeves announced california office is closing for good kloveradio air1radio moving to nashville kloveradio air1radio klove air1 jesus christian maga nashville tennessee trump,United States of America,Tennessee,TN,Donald Trump,0,-0.3\r\n927,10/29/2020,klovekelli she's as pretty as a peach see y'all at tennessee closing california office heading to a christian state kloveradio air1radio klove air1 jesus christian maga nashville tennessee trump,United States of America,Tennessee,TN,Donald Trump,0,-0.1\r\n928,10/29/2020,knowing that the bidens like to cozy up to china...what if the joe biden and china co-conspired covid knowing that it was their only hope of preventing trump from a 2nd term \xf0\x9f\xa4\x94 plausibleconspiracytheory,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n929,10/29/2020,kurteichenwald this is the best trump could do because he couldn't declare bankruptcy on covid19.,United States of America,Illinois,IL,Donald Trump,1,0.3\r\n930,10/29/2020,kylenabecker realdonaldtrump it is too late kylebecker to flatter the gullible trump for a position in gov't.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n931,10/29/2020,laprogressive latimes cnnpolitics newyorktimes_on libertarian corona makeamericagreatagain republicans biden democracy elections media like kirstiealley joebiden meme trump2020nowmorethanever supermantrump superman supermanmot trump vote nancysinatra,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n932,10/29/2020,lawandorder florida judge leading a vote-counting board donated to trump 12 times breaking judicial rules  via usatoday,United States of America,New York,NY,Donald Trump,0,-0.4\r\n933,10/29/2020,let\xe2\x80\x99s get rid of trump and then marcorubio should be next. we should not forget about this. ready to donate to anyone who can get this criminal out of the senate. marcorubio,United States of America,California,CA,Donald Trump,2,0\r\n934,10/29/2020,liltunechi realdonaldtrump potus it just occurred to me that most of these rapper are multi-millionaires and couldn't give a shit about us everyday folks walking the city streets trying to just live our lives. donaldtrump is promising a tax cut to them or something. money is always a reason to sell out.,United States of America,Kentucky,KY,Donald Trump,0,-0.3\r\n935,10/29/2020,lilwayne blacksfortrump blacksfortrump2020 liltunechi thank you for stepping up for the black community  working with president trump &amp; endorsing presidenttrump,United States of America,Florida,FL,Donald Trump,1,0.8\r\n936,10/29/2020,lilwayne endorses donaldtrump &amp; touts his platinum plan at the white house,United States of America,Florida,FL,Donald Trump,2,0\r\n937,10/29/2020,lilwayne is showing his support for donaldtrump. he tweeted this photo saying they \xe2\x80\x9dhad a great meeting\xe2\x80\x9d today \xf0\x9f\x91\x80\xf0\x9f\x98\xb3 thoughts,United States of America,California,CA,Donald Trump,1,0.4\r\n938,10/29/2020,live liza draws what if trump wins. watch me on happsnews  trump election2020,United States of America,New York,NY,Donald Trump,2,0\r\n939,10/29/2020,lockdown2 trumpvirus covid covid\xe3\x83\xbc19 coronavirus believeinbiden trump2020landslide maga2020 trump2020 votebluetosaveamerica bidenharris2020 trump draintheswamp bidencares republicansforbiden,United States of America,Utah,UT,Donald Trump,2,0\r\n940,10/29/2020,love from 6ft by nigel farage - warning do not watch this if you've just eaten. trump election2020,United States of America,Puerto Rico,PR,Donald Trump,2,0\r\n941,10/29/2020,love it  thank you realdonaldtrump  trump trump2020 trumplandslidevictory2020 redwave,United States of America,California,CA,Donald Trump,1,0.9\r\n942,10/29/2020,luvusa45 thmcdani jack sentedcruz unacceptable crossingtheline feellikeiliveiniraq norespect trump trump2020,United States of America,Washington,WA,Donald Trump,0,-0.6\r\n943,10/29/2020,maddow who paid off brett kavanaugh\xe2\x80\x99s $92000 country club fees plus his $200000 credit card debt plus his $1.2 million mortgage and purchased themselves a scotus seat brettkavanaugh trump gop,United States of America,California,CA,Donald Trump,0,-0.2\r\n944,10/29/2020,maga ppl trump doesn't care about you. voteblue,United States of America,California,CA,Donald Trump,0,-0.2\r\n945,10/29/2020,maga trump fuckyeah,United States of America,California,CA,Donald Trump,2,0\r\n946,10/29/2020,maga trump kag2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n947,10/29/2020,mail in ballots the alleged kryptonite against president trump doesn't seem to be as popular as the media would lead you to believe in the states that matter.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n948,10/29/2020,making the world a better place vote2020 itactuallymatters streetphotography donaldtrump alameda,United States of America,California,CA,Donald Trump,1,0.8\r\n949,10/29/2020,marcorubio biden victory is good news to the world marco what good is trump victory for the world mmflint robreiner nytimes,United States of America,New York,NY,Donald Trump,1,0.7\r\n950,10/29/2020,mariannanbcnews nbcpolitics joebiden stay in your basement trump will eat all the candies.,United States of America,Massachusetts,MA,Donald Trump,1,0.4\r\n951,10/29/2020,meanwhile here in the usa trump still has no plans to save american lives from covid19.  worst u.s. president ever,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n952,10/29/2020,miles taylor has been making a lot of headlines. because...   donaldtrump,United States of America,California,CA,Donald Trump,0,-0.1\r\n953,10/29/2020,miles taylor the former chief of staff at the department of homeland security was the anonymous author of ny times op-ed article in 2018 critical of trump and he also wrote the book a warning the following year.,United States of America,California,CA,Donald Trump,0,-0.5\r\n954,10/29/2020,missourigop trump is a traitor and a tax cheat.,United States of America,Missouri,MO,Donald Trump,0,-0.3\r\n955,10/29/2020,mkraju u know. when skipping over this i was certain you were speaking of trump especially speaking loudly. perfect fit. lol,United States of America,Washington,WA,Donald Trump,1,0.1\r\n956,10/29/2020,mlb investigating after justin turner \xe2\x80\x98refused to comply\xe2\x80\x99 with officials during celebration. my comment. probably another idiot pro athlete supporting trump.,United States of America,Maryland,MD,Donald Trump,0,-0.5\r\n957,10/29/2020,mmfa trump  will need the insurrection act to win.,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n958,10/29/2020,more gop gop scams gopcorruptionovercountry usatoday ap pbs newshour thehill trump indicttrump2021,United States of America,Ohio,OH,Donald Trump,0,-0.6\r\n959,10/29/2020,most americans will be flabbergasted to learn that israeli jews overwhelmingly support donald trump for president over joe biden. the view of israel as some kind of liberal beacon has long passed its sell-by date. details mondoweiss. palestine iran,United States of America,New York,NY,Donald Trump,2,0\r\n960,10/29/2020,moving to nashville we want to thank our people at california and wish you the best in the look for other opportunities kloveradio air1radio klove air1 jesus christian maga nashville tennessee trump,United States of America,Tennessee,TN,Donald Trump,1,0.8\r\n961,10/29/2020,my first new meme creation in quite awhile. i plan to get back in the habit very soon. donaldtrump sooner or later... one way or another... you will burn. globalwarming,United States of America,New York,NY,Donald Trump,1,0.2\r\n962,10/29/2020,my respect for this american golf legend was completely removed with his endorsement of donaldtrump. it is very telling of his mind heart and soul. goldenbear you\xe2\x80\x99re dead to me.,United States of America,Arkansas,AR,Donald Trump,0,-0.2\r\n963,10/29/2020,mynews13 historic gdp numbers this morning who would you rather have getting our economy back on track trump or darkwinterjoe,United States of America,Iowa,IA,Donald Trump,2,0\r\n964,10/29/2020,national economic council director larry kudlow says we likely won't see a stimulus deal until after the election. he says stevenmnuchin1 did everything he could to close the gap but the democrats are showboating instead. trump biden coronavirus economy varneyco,United States of America,New York,NY,Donald Trump,0,-0.2\r\n965,10/29/2020,national guard called up in pa and tx got you thinking  donaldtrump might send the military to interfere in the election rachelkleinfeld will tell you when to worry.,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n966,10/29/2020,ndtv as is trump with his muslim travel ban,United States of America,Virginia,VA,Donald Trump,0,-0.4\r\n967,10/29/2020,new gaston co officials say 2 people that attended the trump rally on oct. 21 have tested positive for covid19. specnews1clt nccaptonight ncpol,United States of America,North Carolina,NC,Donald Trump,2,0\r\n968,10/29/2020,news24 alert-  hurricanezeta hurricanezeta2020 hurricanedelta hurricane tropicalstormzeta tropicalstorm coronavirus corona coronavirusoutbreak biden trump hurricaneseason2020 breakingnews zetahurricane zeta amhq weathernetwork wtkr3 cnn breakingweather,United States of America,Virginia,VA,Donald Trump,2,0\r\n969,10/29/2020,newsweek stumps for biden with misleading poll headline | zero hedge  election2020 electionday msmistheenemyofthepeople trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n970,10/29/2020,no distancing circles on grass no listening in cars &amp; maybe few masks. with all the covid19 msm bombardment &amp; fear stoking the fact that trump rallies are packed is proof of his supporters devotion; they could safely just stay home &amp; vote. i'd be v.worried if i were biden.,United States of America,California,CA,Donald Trump,0,-0.4\r\n971,10/29/2020,obama is right trump has no plan he just know how to bully and shit on people.,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n972,10/29/2020,of course they did.trump trump2020 liberalismisamentaldisorder keepamericagreat bidencrimefamiily tonybobulinski corruptjoebiden,United States of America,New York,NY,Donald Trump,2,0\r\n973,10/29/2020,of course trump fired off on milestaylor and claimed to never having known him.... which sounds like a lie. damn near every time trump claims not to know somebody.... proof comes out to refute this bullshit  theview,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n974,10/29/2020,oh look. trump had kremlin agent farage at his rally today. they're not even hiding their treason anymore.,United States of America,Missouri,MO,Donald Trump,0,-0.1\r\n975,10/29/2020,ok so trump put in place the post master general. now ballots could come in after election day but he doesn't want ballots afterward to be counted. he wants a decision by nov. 3rd. now who's rigging the election everyvotecounts vote bidenharris2020 voteinperson,United States of America,New York,NY,Donald Trump,0,-0.3\r\n976,10/29/2020,ooohhh golf legend jacknicklaus endorses our potus realdonaldtrump &amp; the left loses their minds. grab the popcorn.\xf0\x9f\x8d\xbf 6days 2020election trump 4moreyears votetrump2020tosaveamerica votetrump2020 draintheswamp trump2020 maga,United States of America,California,CA,Donald Trump,0,-0.2\r\n977,10/29/2020,osborneosbeorn zevshalev phillyinquirer not only overwhelming republicans. signs of trump litter the roadways it is like u drive into a different country there. so either county or usps worker to make trump look like he was right. helping his rants on mailings. now he's going there for a rally. so boldly obvious. ugh,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n978,10/29/2020,pansexualpresby no. trump's so poisoned faith in the pa mail-in ballot which is the ballot 4 r early in person voting procedure here that we'll take r mail-in ballot 2 r polling place on 11/3. the judge of elections there'll void it. then we'll vote--best way 2 not b contested. 2 bad biden,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n979,10/29/2020,pelosi slams trump for pledging to get 'husbands back to work' 'what century is he living in' thehill,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n980,10/29/2020,philcollins tells trump to cease &amp; desist playing  at his campaign events,United States of America,New York,NY,Donald Trump,0,-0.6\r\n981,10/29/2020,pinkster777 reasor43991 katsuko_maru valearius nytimes aoc what trump might do when he has obamacare aka affordable care act aka romneycare he may rebrand it trump care and not make any changes because so much of the public is soooooo naive they would buy he created this healthcare.,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n982,10/29/2020,please asianamericans vote registertovote voicesheard we are all in this together. if you want trump out you need to register to vote and vote asap,United States of America,New York,NY,Donald Trump,0,-0.1\r\n983,10/29/2020,please share.  these terrible crimes are happening because u.s. imperialism is arming and backing saudiarabia - all escalated by trumppence regime - blood on its hands  and some say trump isn't a warmonger,United States of America,California,CA,Donald Trump,0,-0.4\r\n984,10/29/2020,politicians selling the legislation bias to communists countries is about them. election2020 bidencrimefamiily trump,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n985,10/29/2020,poll by usc accounts for \xe2\x80\x9csocial judgements.\xe2\x80\x9d it predicted a trump win in 2016 and is doing so again in 2020  via dcexaminer,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n986,10/29/2020,port charlotte is trump nation\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 floridafortrump trump2020 trump2020landslide trump,United States of America,Florida,FL,Donald Trump,2,0\r\n987,10/29/2020,potus hates it when women are free to make their own choices trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n988,10/29/2020,president trump left the people of omaha just like he left the rest of america- in the cold with few options. had he cared and planned a little more everything would be different. chess hiphopchess hhcf trump covid19,United States of America,California,CA,Donald Trump,0,-0.1\r\n989,10/29/2020,president trump says u.s. stands with france after terror attack.,United States of America,Nevada,NV,Donald Trump,0,-0.1\r\n990,10/29/2020,presssec realdonaldtrump but it's still lower than any other president's in history... great mediocre job trump... also while he's ranting about the economy americans are dying... and he's doing 5 superspreaderevents per day,United States of America,California,CA,Donald Trump,0,-0.6\r\n991,10/29/2020,programming update looks like i *won't* be watching the nc trump rally today. it was canceled due to hurricane zeta/high wind advisories. it has been rescheduled for monday.,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n992,10/29/2020,proud boys...don\xe2\x80\x99t do it. proudboys robertpeople dumptrump2020 trump cowards mask wearadamnmask bidenharris2020 votehimout vote joebiden gravyseals,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n993,10/29/2020,putin love cute dogs. trump trying to love them. merkel love labradors. and erdogan loves his pet. he love aliev\xf0\x9f\xa4\xa3,United States of America,California,CA,Donald Trump,1,0.6\r\n994,10/29/2020,puts a smile on your face to defeat fascism. just like we who oppose trump will grin when he loses election. then what will happen bidenharris2020 biden bluewave2020 trumpislosing,United States of America,Maryland,MD,Donald Trump,1,0.1\r\n995,10/29/2020,rapper lilwayne has officially endorsed donaldtrump over his support for platinumpackage \xf0\x9f\x92\xaf,United States of America,California,CA,Donald Trump,1,0.5\r\n996,10/29/2020,re-election proves ballots trump riots,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n997,10/29/2020,realdonaldtrump **lyric video for new single \xe2\x80\x9cface the fire\xe2\x80\x9d pls share   facethefire vote\xc2\xa0 govote newsingle votehimout joebiden biden2020 byedon kamalaharris bidenharris2020 voteblue election2020\xc2\xa0 trumpliedpeopledied trump trumpcovid,United States of America,New York,NY,Donald Trump,1,0.2\r\n998,10/29/2020,realdonaldtrump **lyric video for new single \xe2\x80\x9cface the fire\xe2\x80\x9d pls share   facethefire vote\xc2\xa0 govote newsingle votehimout joebiden biden2020 byedon kamalaharris bidenharris2020 voteblue election2020\xc2\xa0 trumpliedpeopledied trump trumpcovid,United States of America,New York,NY,Donald Trump,1,0.2\r\n999,10/29/2020,realdonaldtrump **lyric video for new single \xe2\x80\x9cface the fire\xe2\x80\x9d pls share   facethefire vote\xc2\xa0 govote newsingle votehimout joebiden biden2020 byedon kamalaharris bidenharris2020 voteblue election2020\xc2\xa0 trumpliedpeopledied trump trumpcovid,United States of America,New York,NY,Donald Trump,1,0.2\r\n1000,10/29/2020,realdonaldtrump **lyric video for new single \xe2\x80\x9cface the fire\xe2\x80\x9d pls share   facethefire vote\xc2\xa0 govote newsingle votehimout joebiden biden2020 byedon kamalaharris bidenharris2020 voteblue election2020\xc2\xa0 trumpliedpeopledied trump trumpcovid,United States of America,New York,NY,Donald Trump,1,0.2\r\n1001,10/29/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1002,10/29/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1003,10/29/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1004,10/29/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1005,10/29/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1006,10/29/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1007,10/29/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1008,10/29/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1009,10/29/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1010,10/29/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1011,10/29/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1012,10/29/2020,realdonaldtrump because it's all a lie trumpiscrazy trump,United States of America,Arizona,AZ,Donald Trump,0,-0.8\r\n1013,10/29/2020,realdonaldtrump because it's not real it's only on your head there's no evidence for twitter users* who make things trend to give it a chance to climb. only trump and trumpsupporters are ignorant enough to make that propaganda climb. luckily there are more bidenharris2020 supporters.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1014,10/29/2020,realdonaldtrump i support trump but i stronly support criminal justice reform &amp; the minimum wage should be  like $25 by now 4 a real living wage. it wouldn\xe2\x80\x99t \xe2\x80\x9clevel the playing field by any means but it would give us citz a reason 2 work. average patriots deserve so much more. lockdown2,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1015,10/29/2020,realdonaldtrump nytimes cnn andersoncooper yup...never heard of him... milestaylorusa trump anonymous,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1016,10/29/2020,realdonaldtrump this is who he is. and as much as his maga maga2020 maga2020landslidevictory want to pretend he's good... they know who they are tying themselves to this is who you are trump trumplandslidevictory2020 trumpisacoward trumpisweak traitortrump liarinchief,United States of America,California,CA,Donald Trump,0,-0.4\r\n1017,10/29/2020,realdonaldtrump told me that he's not sure what an internet is trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1018,10/29/2020,realdonaldtrump trump mistakes the stockmarket for the economy and he mistakes twitter for the press. he thinks masks are an emblem &amp; that taxes are optional. he\xe2\x80\x99s out of touch &amp; it\xe2\x80\x99s time for a change. please vote,United States of America,California,CA,Donald Trump,0,-0.4\r\n1019,10/29/2020,realdonaldtrump vote for donald j trump god of heaven is with him. the god of biafra is with him,United States of America,California,CA,Donald Trump,1,0.3\r\n1020,10/29/2020,realdonaldtrump whining covidcovidcovid\xe2\x80\x94realdonaldtrump doesn\xe2\x80\x99t care 300kamericansdead many seniors florida. read covid19 local memorials america maybe trump should break up gannett wearesinclair ap indicttrump2021 tb_times miamiherald,United States of America,Ohio,OH,Donald Trump,0,-0.6\r\n1021,10/29/2020,realdonaldtrump you won\xe2\x80\x99t be able to win this one mr. trump nys is waiting for you to come home nys donaldtrump vote,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1022,10/29/2020,realdonaldtrump \xf0\x9f\x9a\xa8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 wtf -too funny..melania trump pitched donny as a tireless warrior for health care claiming that health care for every citizen is his priority even though his administration has worked to dismantle the aca since he took office. gopcomplicittraitors trumpvirus trump,United States of America,Missouri,MO,Donald Trump,0,-0.1\r\n1023,10/29/2020,redwaverising in florida  trump takes florida \xf0\x9f\x91\x8a\xf0\x9f\x8f\xbb floridafortrump 5days trump,United States of America,California,CA,Donald Trump,0,-0.1\r\n1024,10/29/2020,regretful trump voters feel betrayed after factory closure \xe2\x80\x98maybe he\xe2\x80\x99s not such a good businessman\xe2\x80\x99 he\xe2\x80\x99s a crimeadaypresident that doesn\xe2\x80\x99t give a rat\xe2\x80\x99s ass about wethepeople votehimout vote votebidenharris2020,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n1025,10/29/2020,rentcarsandiego kmckinnonkusi realdonaldtrump kusinews wow. from a business account     cry more 11/4.  \xf0\x9f\x87\xba\xf0\x9f\x87\xb8trump/pence\xf0\x9f\x87\xba\xf0\x9f\x87\xb82020 trump2020,United States of America,California,CA,Donald Trump,2,0\r\n1026,10/29/2020,republicans vs democrats senate showdown republicans democrats senate biden trump news video\xe2\x86\x92,United States of America,California,CA,Donald Trump,2,0\r\n1027,10/29/2020,republicans vs democrats senate showdown republicans democrats senate biden trump news video\xe2\x86\x92,United States of America,California,CA,Donald Trump,2,0\r\n1028,10/29/2020,republicans vs democrats senate showdown republicans democrats senate biden trump news video\xe2\x86\x92,United States of America,California,CA,Donald Trump,2,0\r\n1029,10/29/2020,republicansforbiden catholicsforbiden gop trump americaneedsjoe,United States of America,New Jersey,NJ,Donald Trump,2,0\r\n1030,10/29/2020,robreiner aaronschulman that is so true deliver your ballot and re-elect donaldtrump  thank you for the reminder robreiner,United States of America,Oregon,OR,Donald Trump,1,0.8\r\n1031,10/29/2020,rudygiuliani jennaellisesq who put $17 million dollars into trump's actual chinesebankaccount,United States of America,Minnesota,MN,Donald Trump,0,-0.5\r\n1032,10/29/2020,russia now has a national mask mandate.... realdonaldtrump that\xe2\x80\x99s your cue trump covid19,United States of America,New York,NY,Donald Trump,2,0\r\n1033,10/29/2020,saudiarabia and its allies have much to gain from cooperating with a new if unpredictable trump administration that doesn't respect democracy or human rights in the arab world.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1034,10/29/2020,science trump,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1035,10/29/2020,sckarr1 they interviewed one rally attendee a woman about 20-30years old &amp; she actually didn\xe2\x80\x99t blame trump &amp; defended his actions leaving them in the freakin freezing cold this woman\xe2\x80\x99s brain has been turned to mush from watching too much foxnews &amp; believing all the conspiracy nuts,United States of America,Michigan,MI,Donald Trump,0,-0.7\r\n1036,10/29/2020,seanparnellusa what kind of a jag off attacks lawyers oooooohh the \xe2\x80\x9clawyers are bad\xe2\x80\x9d theme.  douche bag you just alienated all lawyers court personnel and family members and clients.  you should fire your ad agency. also buy a razor and use it you look like a bum. trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n1037,10/29/2020,see if you can figure out if this is the audience at today\xe2\x80\x99s trump rally or today\xe2\x80\x99s biden rally hint - there was no biden rally today.  sleepyjoe lazyjoe trump maga,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1038,10/29/2020,senatemajldr guypbenson i am sure moscowmitch won't be discussing the 7.5 million new unemployment filing this past week and the 7.7 million average over the past 4 weeks. you crushed so many clueless dult45 trump idiots to brag about a judge that will harm them futher. sad,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1039,10/29/2020,shame on trump and trumprallyomaha,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1040,10/29/2020,skynews kateemccann just thought i\xe2\x80\x99d check out what\xe2\x80\x99s going on this side of the pond. corbyn is  like a much more intelligent trump. which might make him even more dangerous. jewsforbiden votehimout votebluetosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1041,10/29/2020,so 2 of last 3 trump rallies have required immediate emergency public health care services for attendees and in ten days his lawsuit to end affordable health care altogether hits newly corrupted scotus  - what the fuck are you actually voting for maga,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n1042,10/29/2020,so biden and trump are both in tampa my hometown. i really hope folks are wearing masks. hoping the surge of cases does not go up in hillsborough county.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1043,10/29/2020,so this happened... lilwayne just left a meeting with cheeto donaldtrump \xf0\x9f\x91\xa9\xf0\x9f\x8f\xbd\xe2\x80\x8d\xf0\x9f\x92\xbb\xf0\x9f\x98\x92\xf0\x9f\x98\x92\xf0\x9f\x98\x92,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n1044,10/29/2020,so trump has ended the pandemic somebody better tell covid19 because it didn\xe2\x80\x99t get the memo.,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n1045,10/29/2020,speakerpelosi realdonaldtrump teamtrump keepamericagreat trump 4moreyears pelosineedstogo pelosimustgo,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1046,10/29/2020,steverattner _si_se_puede the us is still officially in a recession. that's the trump legacy in case you were wondering.,United States of America,Idaho,ID,Donald Trump,0,-0.3\r\n1047,10/29/2020,steveschmidtses realdonaldtrump projectlincoln in australia there is even a special tv show where they play donald trump\xe2\x80\x99s latest \xe2\x80\x9cspeech\xe2\x80\x9d to a lie meter and laughing audience. he is an international joke.,United States of America,Hawaii,HI,Donald Trump,0,-0.8\r\n1048,10/29/2020,stimulus it really would've been nice if a stimulus deal had been reached before the election. if trump loses i seriously doubt that he'd sign a stimulus deal as a way to stick it to the american people. the remaining of this year is going to be tough. prayforamerica\xf0\x9f\x99\x8f\xf0\x9f\x8f\xbe,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1049,10/29/2020,streaming now on spotify  healthisland by dsouldavis kamalaharris donaldtrump justice supremecourt ruthbaderginsberg rbg georgefloyd aliciakeys johnlegend adele blacklivesmatter msnbc cnn foxnews media news breakingnews politics faith,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n1050,10/29/2020,survey biden beats trump among audiophiles ties with radio listeners  election2020 bdien trump radio spotify sirusxm musicnews,United States of America,Virginia,VA,Donald Trump,2,0\r\n1051,10/29/2020,t-money has trump with 3 point lead in michigan,United States of America,New Jersey,NJ,Donald Trump,0,-0.3\r\n1052,10/29/2020,teates_tweets that shits what\xe2\x80\x99s gonna happen under trump,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n1053,10/29/2020,tedcruz is a clown smh you didn\xe2\x80\x99t have that same energy for trump wifeisugly divorcedyet,United States of America,Maryland,MD,Donald Trump,0,-0.9\r\n1054,10/29/2020,tedcruz jack nypost shame some senators used senatehearing to bash trump or to promote themselves,United States of America,California,CA,Donald Trump,0,-0.9\r\n1055,10/29/2020,thank y'all for your messages of unconditional love as stated by our ceo bill reeves we are closin' california and heading to tennessee thanks govbilllee the great governor for ya help kloveradio air1radio klove air1 jesus christian maga nashville tennessee trump,United States of America,Tennessee,TN,Donald Trump,1,0.8\r\n1056,10/29/2020,thanks to trumpvirus superspreaderevents covid19 infection rates in maine are higher than they\xe2\x80\x99ve ever been.  trump democide,United States of America,Maine,ME,Donald Trump,0,-0.3\r\n1057,10/29/2020,the bunkley family has arrived at the tampa trump campaign ralley representing the salemmediagroup radio network here at raymond james stadium..thanks to trump staff for awsome center stage seats..,United States of America,Florida,FL,Donald Trump,1,0.6\r\n1058,10/29/2020,the bunkley family has arrived at the tampa trump campaign ralley representing the salemmediagroup radio network here at raymond james stadium..thanks to trump staff for awsome center stage seats..,United States of America,Florida,FL,Donald Trump,1,0.6\r\n1059,10/29/2020,the election is starting to break for trump | big tech is grilled | section 230 explained trump biden election2020,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n1060,10/29/2020,the gdp just hit the highest record in the third quarter. the economy doesn't know joebiden is supposed to win. it is acting like trump is in control.,United States of America,Minnesota,MN,Donald Trump,0,-0.1\r\n1061,10/29/2020,the new york post endorses president donald j. trump for re-election  republican freedom bjp government liberal maga usa democrat political election donaldtrump capitalism world meme trump2020 midterms news vote,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1062,10/29/2020,the redwave is coming. elections2020 trump,United States of America,Texas,TX,Donald Trump,2,0\r\n1063,10/29/2020,the scariest halloween lawn decoration is a trump sign.,United States of America,California,CA,Donald Trump,2,0\r\n1064,10/29/2020,the trump campaign has dispatched poll watchers in various locations to intimidate voters....  thereidout,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1065,10/29/2020,the wisconsin rnc shouldn't have the fbi investigate the hack of $2 million because the fbi could have been the ones who had it hacked judging by the last 4 years they treated trump. i'd get my own hacker to investigate.,United States of America,Nevada,NV,Donald Trump,0,-0.6\r\n1066,10/29/2020,the \xe2\x81\xa6newyorkpost\xe2\x81\xa9 on the censorship vs freespeech of the socialmedia techgiant techgiants like twitter usa jackdorsey blackmail democrat democrats gop trump maga election biden joebiden kamala kamalaharris bluewave communism,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1067,10/29/2020,thedailybeast tuckercarlson is worse at lying than trump is. boycottfoxnews &lt;-- use this hashtag,United States of America,California,CA,Donald Trump,0,-0.3\r\n1068,10/29/2020,thehill if you vote for trump it means four more years for the worthless celebrity concoction to lie &amp; deceive all of us from every walk of life about covid19 healthcare healthinsurance the economy the environment ... and about himself. trumpmustgo votebidenharris2020,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1069,10/29/2020,thehill this is all currently happening under trump,United States of America,Hawaii,HI,Donald Trump,0,-0.1\r\n1070,10/29/2020,thekjohnston lacrossemom5 cant nobody in that family dance trump,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1071,10/29/2020,therealnutella0 wsj wsjopinion danhenninger are we doing hashtags of people shady business partners donaldtrump,United States of America,Ohio,OH,Donald Trump,0,-0.7\r\n1072,10/29/2020,therickwilson after we defeat trump let's make sure tucker carlson gets his fair share of karma,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n1073,10/29/2020,therickwilson not only is trump a nasty covid spreader the virus appears to have affected his thought processes.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1074,10/29/2020,these trump commercials here in pennsylvania about him putting america first while he continues to ignore this pandemic are nauseating. and lies. i thought this horrendous campaign was out of money,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1075,10/29/2020,thewonderyears but with trump vote blue bidenharris2020 biden2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1076,10/29/2020,they call themselves \xe2\x80\x98wives of the deplorables\xe2\x80\x99 because their husbands support trump,United States of America,California,CA,Donald Trump,0,-0.7\r\n1077,10/29/2020,this is gaslighting. this is also an appeal to non-rich white folk; an appeal to whiteness that invokes patriotism &amp; suggests that it is more important to elect trump than fix inequality &amp; injustice,United States of America,California,CA,Donald Trump,0,-0.2\r\n1078,10/29/2020,this is happening in the united states. trump 2020election,United States of America,Colorado,CO,Donald Trump,2,0\r\n1079,10/29/2020,this is how you handle a maga heckler get him to condemn white supremacy and also take down trump in the process. petebuttigieg should be president joebiden\xe2\x80\x99s chief of staff... petebuttigieg  biden,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1080,10/29/2020,this is potentially concerning for a democrats- biden announces a campaign stop in minnesota tomorrow suggesting that campaign not entirely confident here. trump campaign has been aggressively trying to flip the state election2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1081,10/29/2020,this is staggering.  what would the coverage be if it were donaldjtrumpjr . trump trump2020,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1082,10/29/2020,this is under trump watch while  other countries are able to control covid-19  this president and his goons failed our country it's our duty to show them the door votethemallout votebidenharris2020 votenow,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1083,10/29/2020,this is why we're closing california office and moving to tennessee kloveradio air1radio klove air1 jesus christian maga nashville tennessee trump,United States of America,Tennessee,TN,Donald Trump,0,-0.5\r\n1084,10/29/2020,thread this is me lol \xe2\x80\xbc\xef\xb8\x8f\xe2\x80\xbc\xef\xb8\x8fvotebidenharris biden trump americafirst trumpcrimesyndicate trumpgenocide covid19 covid vote,United States of America,California,CA,Donald Trump,0,-0.4\r\n1085,10/29/2020,thursdaythoughts thursdaywisdom thursdaymorning i managed to get in one chapter of my trump zombie apocalypse novella one short story and a little bit of story material but i was really hoping i would get more done. better luck tomorrow hopefully.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1086,10/29/2020,thursdaythoughts thursdaywisdom thursdaymorning well got a chapter done of my trump zombie apocalypse novella might have time for at least one additional short story.,United States of America,New York,NY,Donald Trump,1,0.4\r\n1087,10/29/2020,to fire trump,United States of America,New York,NY,Donald Trump,2,0\r\n1088,10/29/2020,today the trump administration is celebrating a milestone in south texas when it comes to the president's promise of a borderwall. my report from the elpaso perspective including repescobar who has long called the wall a waste of money and resources.,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1089,10/29/2020,top story fgorordo '.joebiden campaign statement on trump sanctions that hurt cuban families \xe2\x80\x9cpresident trump's war on family remittances is a cruel distraction from his administration's failure to advance democr\xe2\x80\xa6  see more,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1090,10/29/2020,tribelaw why did justice kennedy retire so abruptly what role did his son at deutschebank play who paid off brett kavanaugh\xe2\x80\x99s $92k country club fees plus his $200000 credit card debt plus his $1.2 million mortgage and purchased themselves a scotus seat brettkavanaugh trump gop,United States of America,California,CA,Donald Trump,0,-0.7\r\n1091,10/29/2020,trump,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n1092,10/29/2020,trump &amp; co. next,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1093,10/29/2020,trump &amp; his family are facing numerous lawsuits &amp; trump himself is already on ny\xe2\x80\x99s hit list as individual 1. he will do anything to win including feeding lies across cable tv thnx cnn &amp; to his base they\xe2\x80\x99ve been hidden from all facts around covid19 &amp; wearing masks vote,United States of America,Michigan,MI,Donald Trump,0,-0.9\r\n1094,10/29/2020,trump and brettilikebeerkavanaugh telegraph their plan to steal the election a ...  via youtube,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1095,10/29/2020,trump antisocial behavior makes him appear like a lascivious predator.  part 2,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1096,10/29/2020,trump by a landslide in texas\xe2\x80\x94early voting numbers are diverging strongly from the polls via forbes  texas trump,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1097,10/29/2020,trump campaign postpones northcarolina rally citing weather thehill,United States of America,Texas,TX,Donald Trump,2,0\r\n1098,10/29/2020,trump coming out of the bunker,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n1099,10/29/2020,trump confronts his 50% problem - never before in modern presidential politics has a candidate been so reliant on wide-scale efforts to depress the vote as trump  via politico,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1100,10/29/2020,trump depression,United States of America,Georgia,GA,Donald Trump,2,0\r\n1101,10/29/2020,trump did such an awful job with covid that it\xe2\x80\x99s surging worldwide.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1102,10/29/2020,trump draws thousands in arizona heelsupharris draws \xe2\x80\x98approximately 100\xe2\x80\x98  via breitbartnews outstanding trump will win arizona \xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n1103,10/29/2020,trump fights for battleground arizona thehill,United States of America,Texas,TX,Donald Trump,2,0\r\n1104,10/29/2020,trump gives arizona\xe2\x80\x99s mcsally \xe2\x80\x98one minute\xe2\x80\x99 onstage during rally as she lags in polls,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1105,10/29/2020,trump goes after \xe2\x80\x98rude\xe2\x80\x99 lesley stahl at michigan rally \xe2\x80\x98fire coming out of her eyes\xe2\x80\xa6\xe2\x80\x99..trump..gop..elections..,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1106,10/29/2020,trump has emptied our pockets at every turn. the grafting and vons are unbelievable. ttumpisagrifter,United States of America,Virginia,VA,Donald Trump,1,0.1\r\n1107,10/29/2020,trump is a miracle from god you got that right  jakelobin,United States of America,New York,NY,Donald Trump,1,0.4\r\n1108,10/29/2020,trump is an idiot,United States of America,Colorado,CO,Donald Trump,0,-0.9\r\n1109,10/29/2020,trump is more dangerous than we thought...,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1110,10/29/2020,trump is specific about his plan to steal the election by getting compliant courts to stop mail-in counts. it\xe2\x80\x99s the only honest thing he\xe2\x80\x99s ever said. it\xe2\x80\x99s a starting scary public threat by a sitting president \xe2\x80\x94 unprecedented. they don\xe2\x80\x99t say this kind of thing aloud in russia.,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1111,10/29/2020,trump is toxic to his closest advisors and supporters senthomtillis reptedbudd virginiafoxx senatorberger nchousespeaker ltgovdanforest danforestnc ncpol ncga,United States of America,North Carolina,NC,Donald Trump,0,-0.7\r\n1112,10/29/2020,trump is trying to steal the election. it\xe2\x80\x99s up to you whether or not you let him. you have only one option vote don\xe2\x80\x99t let long lines discourage you. our democracy is at stake. your freedoms are at stake. your lives are at stake. make a difference and votethemout biden,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1113,10/29/2020,trump maga2020 walkaway blexit vote election2020  bidencrimesyndicate,United States of America,California,CA,Donald Trump,1,0.1\r\n1114,10/29/2020,trump nobody loves the bible more than i do. give me a break.  does anyone believe this lie i love the bible more than you do somebody turn off his mic. votehimout2020 votehimoutandlockhimup bidenharris2020 biden evangelicalsagainsttrump don't vote trumppence2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n1115,10/29/2020,trump our commander in whiny bitch,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n1116,10/29/2020,trump out here saying we gonna miss all these important events if biden is elected.... nigga we been done missed these events under you prom graduation homecoming halloween 4th of july easter memorial day labor day dragoncon... i mean what the fuck,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n1117,10/29/2020,trump policies courtesy of that ghoul stephenmiller are un-american immoral and inhumane. thanks repjerrynadler &amp; housedemocrats for investigating. we know we can expect no decency from the gop. voteouteveryrepublican voteoutcorruptgop voteblue,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1118,10/29/2020,trump realdonaldtrump trumpsacrifice trumpsacrificiallambs trumpslaughter,United States of America,California,CA,Donald Trump,2,0\r\n1119,10/29/2020,trump references outing of \xe2\x80\x9canonymous\xe2\x80\x9d source as milestaylor - calls him \xe2\x80\x9cscum\xe2\x80\x9d and a \xe2\x80\x9clowlife\xe2\x80\x9d who should be prosecuted.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1120,10/29/2020,trump spreads covid wherever he campaigns.,United States of America,New York,NY,Donald Trump,1,0.3\r\n1121,10/29/2020,trump steals from us every single day,United States of America,California,CA,Donald Trump,0,-0.6\r\n1122,10/29/2020,trump struggles to lift glass of water with his tiny hands during \xe2\x80\x9860 minutes\xe2\x80\x99 interview \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,California,CA,Donald Trump,0,-0.6\r\n1123,10/29/2020,trump supporter uses the n-word and says she killed her husband in june reaction  trumpsupporter karen trump2020 trump viral,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1124,10/29/2020,trump trump2020 votetrump2020 changeyourvote,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1125,10/29/2020,trump trumpinterview,United States of America,Illinois,IL,Donald Trump,2,0\r\n1126,10/29/2020,trump y biden coinciden este jueves en florida en la recta final de campa\xc3\xb1a,United States of America,Florida,FL,Donald Trump,1,0.1\r\n1127,10/29/2020,trump \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbb,United States of America,Texas,TX,Donald Trump,2,0\r\n1128,10/29/2020,trump............wow.........trumpy feels so russian now and fox news says he drinks stoli vodka and eats wal mart caviar all day lmaoooooooo,United States of America,New York,NY,Donald Trump,1,0.3\r\n1129,10/29/2020,trumpiscompromised trump trump,United States of America,New York,NY,Donald Trump,2,0\r\n1130,10/29/2020,trumpneverhadaplan trumpemptypromises trumpcoviddisaster trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n1131,10/29/2020,trumptookthemoney trump realdonaldtrump,United States of America,California,CA,Donald Trump,2,0\r\n1132,10/29/2020,tweet. retweet. and then tweet again. georgia needs to throw out their trump sucking scoundrel david perdue and elect jon ossoff .,United States of America,Massachusetts,MA,Donald Trump,0,-0.3\r\n1133,10/29/2020,twitter if i'm following an account it is relevant to me. ya wanna know what else is relevant to me bobulinski &amp; 230reform &amp; trump winning among other things. just be a platform not a publisher. i'm an adult. i don't need you to curate my feed. tcot codeofvets,United States of America,Tennessee,TN,Donald Trump,0,-0.1\r\n1134,10/29/2020,unless you believe donaldtrump planned to let covid run wild so prisons could be emptied he deserves no credit for the decrease in mass incarceration due to the virus' outbreak. in a sense all americans are incarcerated now thanks to the virus.,United States of America,New Jersey,NJ,Donald Trump,0,-0.9\r\n1135,10/29/2020,urocklive1 i have a super-secret extremely damning trove of documents about trump but they were stolen while in the mail.  luckily i can collect them again from video clips of trump and from his tweets.  whew.,United States of America,Illinois,IL,Donald Trump,2,0\r\n1136,10/29/2020,very powerful message by dsouldavis  kamalaharris donaldtrump justice supremecourt ruthbaderginsberg rbg georgefloyd aliciakeys johnlegend adele blacklivesmatter msnbc cnn foxnews media news breakingnews politics faith encouragement,United States of America,Nevada,NV,Donald Trump,1,0.6\r\n1137,10/29/2020,via crooksandliars idaho republicans appear in anti-pandemic measures video  | trump gop republicans,United States of America,New York,NY,Donald Trump,2,0\r\n1138,10/29/2020,via glennkesslerwp fact-checking trump\xe2\x80\x99s closing arguments on covid-19  | trumplies trump maga2020,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1139,10/29/2020,via jrubinblogger just imagine how different biden\xe2\x80\x99s immigration policy would be  | trump republicans maga2020,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1140,10/29/2020,via motherjones we fled a war 40 years ago. now we might be sent back.  | politics trump election2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1141,10/29/2020,via newcivilrights melania trump claims her husband \xe2\x80\x98sees potential\xe2\x80\x99 in everyone \xe2\x80\x93 including gay people  | civilrights lgbtq trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1142,10/29/2020,via newcivilrights trump\xe2\x80\x99s florida rally will be at an in-person early voting polling place \xe2\x80\x94 side-stepping electioneering laws  | civilrights lgbtq trump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1143,10/29/2020,via rawstory beijing slams us for arresting chinese \xe2\x80\x98fox hunt\xe2\x80\x99 agents  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1144,10/29/2020,via rawstory here\xe2\x80\x99s why shark researchers are concerned about a potential covid-19 vaccine  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1145,10/29/2020,via rawstory women stunt performers are speaking out about racism and sexism in hollywood  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1146,10/29/2020,via rawstory zeta slams into southern us \xe2\x80\x94 downgraded to tropical storm  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1147,10/29/2020,via rawstory \xe2\x80\x98under a cloud\xe2\x80\x99 another stunningly arrogant supreme court opinion threatens the 2020 election  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1148,10/29/2020,video of sen. mike lee stating that trump is like the honorable capt. moroni from the bookofmormon. smh \xf0\x9f\xa4\xa6\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f. trump is not even close senator. trumpism and radical conservatism are a hell of a drug.,United States of America,Utah,UT,Donald Trump,0,-0.3\r\n1149,10/29/2020,vote  it is imperative that we change the misguided leadership in this country. vote we cannot suffer another four years under trump and his traveling shit show...  saveamerica vote voteblue2020,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n1150,10/29/2020,vote for trump keep their reputation. you he has absolutely no ability to yesterday. couldn\xe2\x80\x99t remember my name. got some look.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1151,10/29/2020,vote for trump peace in the world. sudan has agreed to use.,United States of America,New York,NY,Donald Trump,1,0.2\r\n1152,10/29/2020,voted for trump today. votered2020 realdonaldtrump is the best president we ever had \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Pennsylvania,PA,Donald Trump,1,0.4\r\n1153,10/29/2020,vote\xe2\x9c\x8a\xe2\x9c\x8a\xe2\x9c\x8a presidentialelection2020 donaldtrump joebiden,United States of America,Ohio,OH,Donald Trump,1,0.3\r\n1154,10/29/2020,war is peace freedom is slavery trump orwell1984,United States of America,California,CA,Donald Trump,0,-0.4\r\n1155,10/29/2020,was listening to some donovan yesterday and realized his song why do you treat me like you do has a perfect description of trump.,United States of America,Missouri,MO,Donald Trump,0,-0.6\r\n1156,10/29/2020,was thinking of trump...got stuck on snarl,United States of America,Colorado,CO,Donald Trump,0,-0.6\r\n1157,10/29/2020,watch a trump clone in a new deepfakes show from southpark's creators   thenextweb,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1158,10/29/2020,watch live coverage of hurricane zeta from nola to atlanta gawx lawx mswx alwx tnwx scwx tornado severe flooding blm maga trump biden vote2020 election2020 covid covid19 coronavirus,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n1159,10/29/2020,watch live coverage of hurricane zeta from nola to atlanta gawx lawx mswx alwx tnwx scwx tornado severe flooding blm maga trump biden vote2020 election2020 covid covid19 coronavirus,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n1160,10/29/2020,watch michaelcohen portrayed by this talented actor in badpresident badpresidentthemovie makecomedygreatagain film trump,United States of America,California,CA,Donald Trump,1,0.6\r\n1161,10/29/2020,we say trump could shoot someone &amp; people would still vote for him. for his most ardent supporters he could shoot them &amp; they'd still vote for him. feeling powerful or being power-adjacent is a strong draw for so many. owningthelibs is something some would actually die for.,United States of America,Washington,WA,Donald Trump,1,0.2\r\n1162,10/29/2020,we talked on this weeks podcast even if trump is voted out november 3rd whenever the final votes are counted it does not mean things are all good. that means pressure must be applied that means we go harder. the status quo is what got us trump so just going back won\xe2\x80\x99t do it.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1163,10/29/2020,week 8 nfl picks - free nfl expert picks from the legend to bet on for sunday 11/1/20  nflpicks nfl week8 vegas gamblingtwitter bettingpicks footballpicks fanduel draftkings barstoolsportsbook handicapper picks trump biden usa vote sports,United States of America,Nevada,NV,Donald Trump,1,0.3\r\n1164,10/29/2020,weezy is backing trump,United States of America,Nevada,NV,Donald Trump,0,-0.3\r\n1165,10/29/2020,we\xe2\x80\x99re in the middle of a pandemic with cases on the rise all over the country and we have a president who will not act a vote for trump is a vote against the well being of all americans facts,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1166,10/29/2020,wh issues new guidance re trump's remaining public schedule for today now that tonight's rally in fayetteville north carolina has been postponed until monday due to weather via wh press pool.,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n1167,10/29/2020,what did trump catch covid19 \xf0\x9f\xa4\xb7\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 fucktrump boo coronavirus fuckthisclown. clowns america pandemic presidenttrumpsucks trumpisthevirus trumpvirus  the white house,United States of America,California,CA,Donald Trump,0,-0.4\r\n1168,10/29/2020,when you mention trump don't use the word smart -  democrats  demcastfl demcastnh demcasttx demcastsc demcastoh votebiden everyvotecounts yourvotematters,United States of America,California,CA,Donald Trump,0,-0.6\r\n1169,10/29/2020,where trump belongs. donalddickstain trump fucktrump votehimout donaldtrump realdonaldtrump,United States of America,New York,NY,Donald Trump,2,0\r\n1170,10/29/2020,while tropical rainforests are the lungs of the planet the tongass is the lungs of north america\xe2\x80\x9d dellasala \xe2\x80\x9cit\xe2\x80\x99s america\xe2\x80\x99s last climate sanctuary.\xe2\x80\x9d protectourplanet by voting trump out &amp; every single \xe2\x81\xa6senategop\xe2\x81\xa9 traitor too. votethegopout,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n1171,10/29/2020,whitehouse what did he hear becuz after 4 yrs trump has gotten impeached has bungled the covid 19 virus so bad that his chief of staff admits they have no plan to save lives. oh &amp; let us not forget the 230000 -/+ people his ineptitude has murdered. what exactly did he hear again,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n1172,10/29/2020,who are you voting for bidenharris2020 trump2020 vote keepamericagreat voteagainsttrump trump biden,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1173,10/29/2020,who is trying to get realdonaldtrump out ...china china china look up the vanguard group they are major investors in twitter facebook ...guess who vanguard does billions with. ..china question why does sentedcruz not ask that question vote trump foxnews fakenewsmedia,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n1174,10/29/2020,why didn\xe2\x80\x99t comey tell congress in 2016 that the fbi was also investigating trump and russia it was happening same time as hillaryclinton email investigation. he wanted to be apolitical yet gave trump a free pass in the press. comeyrule showtime electioninterference,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1175,10/29/2020,why do so many people within the trump regime finally i guess come to terms w/ the evil they\xe2\x80\x99re working for and make some bogus stand milestaylor theview,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1176,10/29/2020,why isn\xe2\x80\x99t realdonaldtrump breaking up wearesinclair  cuz state-sponsored media trump propaganda wearesinclair worsethanfox violates broadcasting\xe2\x80\x99s equaltimerule yet another realdonaldtrump scam. wtlf24 wtwc40 ap thehill washingtonpost cnn,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n1177,10/29/2020,with 6 days to go trump trails his 2016 battleground average by 1.5%. he has work to do but trump is a strong closer.,United States of America,New York,NY,Donald Trump,2,0\r\n1178,10/29/2020,wow it sounds like gop  agrees w/trump on using stolen unverified data to win an election. howlowcanyougo the tennant's of news are being turned on it's head. cspanwj,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n1179,10/29/2020,wow. can't make up this stuff i sure hope there were no early voters for sleepyjoe that would've voted for realdonaldtrump on tuesday. hoping also for a yuge trump turnout on tuesday voteredtosaveamerica votetrump trump2020,United States of America,Pennsylvania,PA,Donald Trump,1,0.2\r\n1180,10/29/2020,wtaf is wrong with women like joniernst &amp; marthamcsally they are two of the numerous female cult45 trumpers - who gleefully lick trump\xe2\x80\x99s boots - while he publicly abuses and disrespects them,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n1181,10/29/2020,yes trump personally contributed to super spreader events all over this country this is criminal he knew or should have known his personal actions put people at risk for infection,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1182,10/29/2020,you can only imagine what trump would have done in this situation.,United States of America,California,CA,Donald Trump,0,-0.6\r\n1183,10/29/2020,you can't fix stupid.but you can vote it out. listening to a trump makes me lose brain cells. bidenharris2020 votehimout2020 vote votebidenharris2020 thursdaymorning,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n1184,10/29/2020,younglatinxvoters could be the ones who finally flip arizona\xc2\xa0  news younglatinx voters sb1070 donaldtrump tump trumpispathetic trumpislosing biden bidenharris2020 bidenharris2020tosaveamerica electionday elections2020 2020election,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1185,10/29/2020,zuckerbergexposed censorship2020 facebookcensorship trump trump2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1186,10/29/2020,\xe2\x80\x98lock her up\xe2\x80\x99 chants break out at trump mi rally as he goes after gov. whitmer..trump..gop..elections,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1187,10/29/2020,\xe2\x80\x9celection day\xe2\x80\x9d might just become \xe2\x80\x9cejection day\xe2\x80\x9d ejectionday election2020 vote trump biden election electionmemes,United States of America,California,CA,Donald Trump,0,-0.3\r\n1188,10/29/2020,\xe2\x80\x9cwill be\xe2\x80\x9d i thought they did trump thinks you\xe2\x80\x99re all idiots arizona pennsylvania why do you believe this con artist dumptrump2020,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n1189,10/29/2020,\xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 snagging the rapper vote...didn\xe2\x80\x99t see that coming. love it. trump,United States of America,Massachusetts,MA,Donald Trump,1,0.1\r\n1190,10/29/2020,\xf0\x9f\x8e\xa7what do ceos think about a trump or biden whitehouse wsj's chief economics commentator greg_ip joins host marcreporting on this morning's what's news podcast.,United States of America,New York,NY,Donald Trump,2,0\r\n1191,10/29/2020,\xf0\x9f\x93\xa3 new podcast 45. the jewish vote on spreaker ballot biden election trump vote,United States of America,Minnesota,MN,Donald Trump,2,0\r\n1192,10/29/2020,\xf0\x9f\x93\xb7 this book dropped 2years after i was born this is not conspiracy it perfectly summarized how this country has been set. america was built on conflict the people still at war today. lit read vote bidenharris2020 trump...,United States of America,Michigan,MI,Donald Trump,0,-0.2\r\n1193,10/29/2020,\xf0\x9f\x96\x95\xf0\x9f\x8f\xbf. tigerwoods is the best golfer of all time. now shut the fuck up because no cares what you think but rich oblivious white people who don\xe2\x80\x99t realize that trump is killing this country. i am really disappointed.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1194,10/29/2020,\xf0\x9f\x9a\xa8is this the end of america\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 rediscover freedom in the 21st century. purchase my new book foundations for liberty. censorship bigbrother maga bidenlaptop trump vote election2020 amazon usa bidencorruption bestseller book find it here,United States of America,Oklahoma,OK,Donald Trump,0,-0.2\r\n1195,10/29/2020,\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82 cult45 willing to die for trump gop every which way possible \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3,United States of America,California,CA,Donald Trump,1,0.8\r\n1196,10/30/2020,2020election bruins donaldtrump politics bobby orr endorsed donald trump for president in a newspaper ad,United States of America,Idaho,ID,Donald Trump,0,-0.4\r\n1197,10/30/2020,check out this genius level memorial to trump and the trumpcrimefamily - you'll love the wallofcriminality,United States of America,California,CA,Donald Trump,1,0.9\r\n1198,10/30/2020,corruption donaldtrump foreigninfluence trump admitted years ago to a little conflict of interest in turkey. it's not so little.,United States of America,Idaho,ID,Donald Trump,0,-0.4\r\n1199,10/30/2020,trump biden election2020,United States of America,New York,NY,Donald Trump,1,0.1\r\n1200,10/30/2020,$spx gets above 3260 maybe we get a runner into the close  new weekly low doesn\xe2\x80\x99t feel promising atm. it\xe2\x80\x99s like they\xe2\x80\x99re signaling he\xe2\x80\x99s out $spy trump,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n1201,10/30/2020,. \xe2\x80\x9csometimes it\xe2\x80\x99s not about who has more talent it\xe2\x80\x99s about who\xe2\x80\x99s hungrier.\xe2\x80\x9d hiphop successmindset passion hunger trump  united states,United States of America,Florida,FL,Donald Trump,2,0\r\n1202,10/30/2020,.icecube...i don't care if you talked with gandhi and mother theresa. doing/saying anything that supports a corrupt racist monster like trump is insanity...,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1203,10/30/2020,2 attendees at donaldtrump's gastonia rally get covid19,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n1204,10/30/2020,2006ta alexisstargazer yes for trump \xf0\x9f\x98\x82\xf0\x9f\xa4\xa3\xf0\x9f\x98\x82 btw how does it feel like to be the biggest looser in florida,United States of America,California,CA,Donald Trump,0,-0.3\r\n1205,10/30/2020,4.8 million americans died of cancer under the biden/obama administration\xe2\x80\x94so that alone should get presidenttrump re-elected according to joebiden's campaign strategy related to covid19. trump will save 2 million lives with operationwarpspeed. biden's plan wear a mask\xf0\x9f\x98\xb7,United States of America,Nevada,NV,Donald Trump,0,-0.1\r\n1206,10/30/2020,46% of vietnameseamericans say they\xe2\x80\x99re voting for trump. here\xe2\x80\x99s why.  via voxdotcom news vietnamese american supporttrump election2020 elections2020 electionday 2020election trumpisaracist,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1207,10/30/2020,6\xe2\x83\xa3trump\xe2\x80\x99s record on immigration moves voters away from president trump and towards joe biden.,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1208,10/30/2020,a different tune if biden wins; he'll raise taxes lock down country they will lose their job and the stock market and their 401-k will go down quicker than bill clinton's next intern. vote with your brain not your emotions people. please trump maga biden realdonaldtrump,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1209,10/30/2020,a nobody not a fan either that was correct about trump last time please go vote the polls may be wrong.,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n1210,10/30/2020,a plea to trump voters don't re-elect this awful man.,United States of America,Minnesota,MN,Donald Trump,0,-0.7\r\n1211,10/30/2020,a rota + v.rez short in support of breast cancer awareness. lebronjames donaldtrump themandalorian disneyplus disney lakers blink markhoppus travisbarker vote biden amongus dragonballsuper dragonball breastcancerawarenessmonth breastcancerawareness,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1212,10/30/2020,a woman on tv said the three most important things to evangelicals are 1 support for israel 2 opposition to abortion and 3 religious freedom.  trump does support israel.  he probably doesn't really care about abortion or religious freedom but knows how to pander.,United States of America,Missouri,MO,Donald Trump,0,-0.5\r\n1213,10/30/2020,abigailmarone america loves president barackobama and despises trump.,United States of America,Missouri,MO,Donald Trump,1,0.3\r\n1214,10/30/2020,after simultaneous rallies in florida joebiden is off to iowa and president donaldtrump is in the midwest as campaigning is in high gear,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1215,10/30/2020,again only rich people who don\xe2\x80\x99t wanna pay taxes are endorsing trump. trump is the worst president in modern history. bidenharris2020 trump,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1216,10/30/2020,again where trump suits come from answer that with your glass body votethemallout2020 voteblue votebluetosaveamerica votebluedownballot resist resistance truthoverlies,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1217,10/30/2020,alex gibney's new doc examines heart of the failure of donaldtrump's pandemic response,United States of America,California,CA,Donald Trump,0,-0.1\r\n1218,10/30/2020,all these celebs endorsing trump shows you it\xe2\x80\x99s all about the money that\xe2\x80\x99s all they care about. they ain\xe2\x80\x99t about blm immigration reform or anything that truly matters. they don\xe2\x80\x99t want to pay more taxes an that\xe2\x80\x99s on periodt.,United States of America,Nevada,NV,Donald Trump,0,-0.8\r\n1219,10/30/2020,always92234822 realdonaldtrump donnieshungry pass it around. retweet factsmatter donaldtrump,United States of America,Massachusetts,MA,Donald Trump,1,0.1\r\n1220,10/30/2020,ampalsson trumpnewspolls realdonaldtrump trump sees our whole government as his own political tool. i just hope he\xe2\x80\x99s deemed fit enough for trial that they may fully explain how government works directly to him on the stand with video. he won\xe2\x80\x99t remember very long his kids will but the visual will help america to heal.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1221,10/30/2020,amvetsupport i'm keeping a list of all of these freaks too. i refuse to watch anything that makes these people rich enough to abandon the rest of the country. brettfavre lilwayne kanye trump,United States of America,Washington,WA,Donald Trump,0,-0.3\r\n1222,10/30/2020,amyconeybarrett trump votethemout hypocrites,United States of America,Arkansas,AR,Donald Trump,1,0.1\r\n1223,10/30/2020,and not that i dont wanna vote buuuutttttt wtf was yall  4 years ago their wasnt no type of lines when trump first ran,United States of America,Georgia,GA,Donald Trump,0,-0.9\r\n1224,10/30/2020,and trump is done holy carp he's not even staying to dance to ymca,United States of America,Oregon,OR,Donald Trump,0,-0.8\r\n1225,10/30/2020,and trump is to blame because he owns the trumpdeathtour he is on.,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n1226,10/30/2020,another reason to vote trump and the republican line.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1227,10/30/2020,another trump failure. what an idiot he is.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1228,10/30/2020,anyone test this i don\xe2\x80\x99t have instagram. let me test now on twitter trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n1229,10/30/2020,ap trump has more authoritarian tendencies in his little thumb than the entire democratic party. latinosfortrump wake up idiotas. el pa\xc3\xads se est\xc3\xa1 llenado a la mierda con trump.,United States of America,California,CA,Donald Trump,0,-0.5\r\n1230,10/30/2020,aravosis trump is a mass murderer a racist and elitist.i believe part of his view of covid19 \xe2\x80\x9caffecting almost no one\xe2\x80\x9d was how he sees elderly and minorities and they had higher death rate.but he cares only about himself+$$$$.he needs to be prosecuted for crimes against humanity ++++\xf0\x9f\x98\xa1,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1231,10/30/2020,are there really any undecided voters left out there what more do you need to think about  2020election undecidedvoters trump biden,United States of America,Pennsylvania,PA,Donald Trump,1,0.2\r\n1232,10/30/2020,are you listening to this ncarolina veterans who may have mailed in their ballots trump doesn't want your votes to count,United States of America,California,CA,Donald Trump,0,-0.8\r\n1233,10/30/2020,as 220000 americans died under trump 's watch  maga2020  biden,United States of America,California,CA,Donald Trump,0,-0.4\r\n1234,10/30/2020,as coronavirus surges trump rallies keep packing in thousands - the denver post trump politicalparties politicalviews,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1235,10/30/2020,as covid-19 infections skyrocket house report slams trump's pandemic response as among worst failures of leadership in u.s. history..trump..gop..covid19..,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1236,10/30/2020,as final weekend looms trump and biden to barnstorm across midwest,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1237,10/30/2020,as\xc3\xad es. i\xe2\x80\x99ve been to two trumprallies. attendees at trump rallies are enthusiastic kind patient orderly and have a great time celebrating the greatness of an exceptional nation.,United States of America,Florida,FL,Donald Trump,1,0.3\r\n1238,10/30/2020,at duluth rally trump campaign flouted agreement to follow health guidelines - the washington post,United States of America,California,CA,Donald Trump,0,-0.1\r\n1239,10/30/2020,author peter benchley plays the role of a tv reporter in\xc2\xa0jaws. benchley was reportedly thrown off set after continually arguing with spielberg about the film\xe2\x80\x99s ending trump covid19 model me,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1240,10/30/2020,b52malmet betcha he\xe2\x80\x99ll still be hungry \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f... donnieshungry pass it around. retweet factsmatter donaldtrump maga2020 proudboys,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n1241,10/30/2020,because he is a real leader and trump is a selfish ...,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1242,10/30/2020,biden bidenharris democrats dems bluewave 2020election trump,United States of America,Wisconsin,WI,Donald Trump,2,0\r\n1243,10/30/2020,biden is working for your vote because you keep his family wealthy. trump works for your vote because he is trying to makeamericagreatagain.,United States of America,Texas,TX,Donald Trump,2,0\r\n1244,10/30/2020,biden trump,United States of America,New York,NY,Donald Trump,2,0\r\n1245,10/30/2020,bidenharris2020 calling folks ugly - trump trump2020landslide,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1246,10/30/2020,billieelish reportedly slammed by trump  campaign bosses in leaked doc  freedomofspeech politics election2020,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n1247,10/30/2020,blacks &amp; women in florida can show trump the door on nov3rd election2020 . will they go in large numbers &amp; save the country will know tuesday night. pennsylvania  voteagainsttrump michigan texas,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1248,10/30/2020,blaizelizzi realdonaldtrump donnieshungry pass it around. retweet factsmatter donaldtrump,United States of America,Massachusetts,MA,Donald Trump,1,0.1\r\n1249,10/30/2020,bobclendenin mysterysolvent donaldtrump's dna meshes with the dna of beautiful women &amp; just kicks the crap out of any attractive qualities &amp; replaces them with oversized teeth and tiny hands.,United States of America,California,CA,Donald Trump,1,0.1\r\n1250,10/30/2020,bostonglobe soon as i saw george stephanopoulos\xe2\x80\x99s ashen face i knew democracy had been lost and that djt would be elected in 2016.  i am cautiously optimistic that donaldtrump will lose in an unprecedented landslide.  it will not even be debatable.,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n1251,10/30/2020,brett farve a known sexual harasser endorses another sexual assaulter   how perfect trump farve brettfavre,United States of America,Arizona,AZ,Donald Trump,0,-0.6\r\n1252,10/30/2020,brett favre endorses trump 'my vote is for what makes this country great'   brettfavre trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1253,10/30/2020,brettfavre realdonaldtrump mr. dickpic brettfavre endorses trump. no one is surprised. and no one cares.,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n1254,10/30/2020,brettfavre realdonaldtrump \xe2\x80\x98hard working tax paying citizens\xe2\x80\x99. and you voted for trump$750,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1255,10/30/2020,brettfavre says he\xe2\x80\x99s voting for trump to keep white supremacy in place in us,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1256,10/30/2020,brindlepooch lauriebariola realdonaldtrump joebiden floridaforbiden bidenforpa bidenforp joeforia joeformich teamjoe jrubinblogger demented donaldtrump taking hispanic children from there parents  so cruel no latino person with any sense  don\xe2\x80\x99t vote for trump evilman genocide letting our fellowamericans die from the coronavirus,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1257,10/30/2020,broken the gop has allowed &amp; participated for months; trump &amp; team to plan all the lies multiple voter suppression efforts tear down usps  ag office courts supreme court militia groups division &amp; violence senategop housegop wsj nytimes god help us usatoday \xf0\x9f\x99\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1258,10/30/2020,cat cooling mat bogo sale  arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter  catsofinstagram  kittens trump,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1259,10/30/2020,chile \xf0\x9f\x92\x80\xf0\x9f\x98\xad trump vote covid19,United States of America,California,CA,Donald Trump,1,0.1\r\n1260,10/30/2020,cillizzacnn yes wear a mask and make sure it's over your nose and mouth and not over your eyes  facemask trump bidenharrislandslide2020 bidenharris2020 election2020,United States of America,District of Columbia,DC,Donald Trump,1,0.2\r\n1261,10/30/2020,cnn once again there is a simple fix.example cnn u remember this 1 right if u get mail in ballots donaldtrump willflipthe funk out ok here's another one every last one of those police officers that r fire signs &amp; air signs should resign for 1 year with pay shootings will \xe2\x9c\x8b,United States of America,California,CA,Donald Trump,0,-0.7\r\n1262,10/30/2020,constitution. stand on your own and demand better from the people who serve you. having a questioning mentality was never suppose to be a bad thing. it only became so when you questioned them. give me liberty or give me death. mediabias trump2020 patriot patriotsunited trump,United States of America,Wisconsin,WI,Donald Trump,0,-0.3\r\n1263,10/30/2020,covid is far from over who do you feel more confident to lead us out of this joebiden or donaldtrump,United States of America,California,CA,Donald Trump,0,-0.2\r\n1264,10/30/2020,craig_a_spencer jtaylorskinner sadly. trump is in covid fog and he thinks the higher daily cases means we\xe2\x80\x99re winning votehimout not maga maga2020landslidevictory trumphascovid trumpiscompromised trumptaxreturns trump trumpisaracist trumpisacoward trumpcollapse,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1265,10/30/2020,criminals stick together trump favre,United States of America,Arizona,AZ,Donald Trump,0,-0.6\r\n1266,10/30/2020,davidmweissman found friday in dallas. text at the top says \xe2\x80\x9crise up\xe2\x80\x9d. fuck donald trump and his failure to condemn white supremacy. trumptrain trump trumprally dallas texas vote\xc2\xa0 trumpcrimefamily,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1267,10/30/2020,day 1451 fuck trump,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n1268,10/30/2020,ddale8 maybe he will check when he is in dubuque mississippiriver trump lies,United States of America,Iowa,IA,Donald Trump,0,-0.6\r\n1269,10/30/2020,delores8225 eugenegu perfect analogy. trump is indeed diarrhea and we\xca\xbbve had a bad case of the runs for the past 4 years,United States of America,Hawaii,HI,Donald Trump,2,0\r\n1270,10/30/2020,diana52915142 leadersmaster realdonaldtrump donnieshungry pass it around. retweet factsmatter donaldtrump,United States of America,Massachusetts,MA,Donald Trump,1,0.1\r\n1271,10/30/2020,dlstoke one wonders if close allies of trump will launch a new trump tv network either from scratch or taking over something like oan or newsmax. i can see major fissures growing between fox hard news side and fox pundit side.,United States of America,Alabama,AL,Donald Trump,1,0.2\r\n1272,10/30/2020,dominicdimatte1 we need to get rid of the postmaster general &amp; trump supporter louis dejoy,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1273,10/30/2020,don't forget banners in the sky especially when trump is home.,United States of America,Illinois,IL,Donald Trump,2,0\r\n1274,10/30/2020,donald trump jr. said covid-19 deaths are at \xe2\x80\x98almost nothing.\xe2\x80\x99 the virus killed more than 1000 americans the same day.  trump trumpjr dontrumpjr trumporg gop rnc republicans donaldjtrump whitehouse corona covid covid19 pandemic,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1275,10/30/2020,donald trump jr. said covid-19 deaths are at \xe2\x80\x98almost nothing.\xe2\x80\x99 the virus killed more than 1000 americans the same day...trump..gop..covid19..,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1276,10/30/2020,donald trump tee shot trump golf president presidentialdebate2020  maga 2020election 2020election donaldtrump covid,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n1277,10/30/2020,donald trump took liberal icon george soros\xe2\x80\x99s money &amp; spent christmas \xf0\x9f\x8e\x84 together trump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1278,10/30/2020,donaldjtrumpjr wow says the son of a mob boss. corruption is synonymous with trump. corrupttrump corrupttrumpfamily votebidenharristoendthisnightmare votebidenharris2020,United States of America,Georgia,GA,Donald Trump,2,0\r\n1279,10/30/2020,donaldtrump's healthcare 'plan' was apparently to blow $250 of our tax dollars paying santaclaus performers to promote a coronavirus vaccine &amp; give the santas early access to it as a reward; this is the kooky incompetence of this administration &amp; why he'll lose re-election,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1280,10/30/2020,donlemon 'had to get rid of' friends who support trump thehill,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1281,10/30/2020,dougducey meanwhile in the last week 5957k died of covid and over 6k arizonians died ..... the most important pitch will be pitching trump out of the white house,United States of America,Arizona,AZ,Donald Trump,0,-0.4\r\n1282,10/30/2020,drdompimenta tonynicol3 unfortunately you have the trump doppelganger.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1283,10/30/2020,drericding kirkacevedo realdonaldtrump donaldtrump downplayed covid and governors in every state used that to implement their plans. he purposely let people believe this was nothing and called fakenewsmedia any scientist reporter or politician that tried to say otherwise. proof he is on tape trumpcorruption,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1284,10/30/2020,drjasonjohnson if you listen to wayne you know trump paid him,United States of America,North Carolina,NC,Donald Trump,0,-0.4\r\n1285,10/30/2020,dumb ass who supports the vaccine with the chip in it. operationwarpspeed cashlesssociety socialcredits id2020 trump communist \xf0\x9f\xa4\xae\xf0\x9f\xa4\xae\xf0\x9f\xa4\xae\xe2\x9a\xa0\xef\xb8\x8f\xf0\x9f\x9a\xa9\xf0\x9f\xa4\xa1\xf0\x9f\x91\x87,United States of America,California,CA,Donald Trump,0,-0.4\r\n1286,10/30/2020,dump pseudo-prog frauds like glenngreenwald and destroy trump at the polls next tuesday. fuck yes.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1287,10/30/2020,dumpster trump where he belongs. vote,United States of America,New York,NY,Donald Trump,2,0\r\n1288,10/30/2020,el washington post lanz\xc3\xb3 duro editorial contra donald trump -  evnews donaldtrump eleciones2020 eeuu,United States of America,Florida,FL,Donald Trump,2,0\r\n1289,10/30/2020,election countdown from a kansas cattle rancher to a florida day trader trump and biden voters tell marketwatch the money worries influencing their choice for president politicalparties trump whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1290,10/30/2020,election2020  donaldtrump,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n1291,10/30/2020,election2020 biden trump,United States of America,California,CA,Donald Trump,2,0\r\n1292,10/30/2020,election2020 stephen miller confirma los planes de endurecer a\xc3\xban m\xc3\xa1s la pol\xc3\xadtica migratoria en un potencial segundo mandato de trump. de ello ya habl\xc3\xa1bamos aqu\xc3\xad,United States of America,New York,NY,Donald Trump,1,0.1\r\n1293,10/30/2020,epluribus llc the creators of the moxy\xe2\x84\xa2 online social ecosystem released a new study showing that undecided voters have a clear perception of each party's strengths when it comes to specific social issues.  donaldtrump joebiden swingvoters,United States of America,Arizona,AZ,Donald Trump,1,0.2\r\n1294,10/30/2020,even our children know trump divides misleads and sacrifices us to covid.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1295,10/30/2020,every time i see trump in the same sentence as a protected and critical natural preserve my heart sinks.  i am so looking forward to the end of this horrific era and the  jan 2021 start of sanity to protect and build upon the nature we need to survive on this plant.,United States of America,California,CA,Donald Trump,1,0.3\r\n1296,10/30/2020,exclusive--leaked document leftists fear trump may win minnesota plot post-election \xe2\x80\x98mass mobilization\xe2\x80\x99 trump politics politicalparties,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1297,10/30/2020,factsmatter covid19 usa trump mafiatrump,United States of America,Minnesota,MN,Donald Trump,2,0\r\n1298,10/30/2020,faltan 4 dias para la eleccion2020 trump vs biden todo el analisis por la radio 920 am votolatino,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1299,10/30/2020,fight club\xc2\xa0and\xc2\xa0choke\xc2\xa0author chuck palahnuik can be glimpsed ever so briefly in the final scene of the latter. he\xe2\x80\x99s sitting next to sam rockwell on the plane.covid19 movie trump worlds2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1300,10/30/2020,fights fightback funny cool fightnight fightpage girlfight schoolfight trending news trump worldstar crazyfights worldstarfights \xe2\x80\x9cshe has a brick\xe2\x80\x9d \xf0\x9f\xa4\xa3,United States of America,Nevada,NV,Donald Trump,1,0.5\r\n1301,10/30/2020,finally watching the westwingspecial and struck that this cast &amp; crew took this way more seriously than anyone in the trump white house takes their jobs or responsibility to country.,United States of America,District of Columbia,DC,Donald Trump,1,0.5\r\n1302,10/30/2020,firefighterfortrump trump firefighter philly,United States of America,Massachusetts,MA,Donald Trump,1,0.1\r\n1303,10/30/2020,first the girlscouts now this.  the trump win will be a national middle finger to this kind of nonsense.,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1304,10/30/2020,fivethirtyeight just dropped trump odds of victory to 10% lowest ever. florida georgia northcarolina and arizona all lean biden.,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1305,10/30/2020,flotus realdonaldtrump ftbraggnc potus anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1306,10/30/2020,flotus realdonaldtrump ftbraggnc potus anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1307,10/30/2020,flotus realdonaldtrump ftbraggnc potus anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1308,10/30/2020,flotus realdonaldtrump ftbraggnc potus anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1309,10/30/2020,for all those trump screamers who want more of the alleged hunterbiden story...do we really want to compare kids' actions ivanka &amp; china patents; kids profiting from hotels due to presidency. eric with his philanthropy scandal. jared -- oh brother. those in glass houses...,United States of America,California,CA,Donald Trump,0,-0.2\r\n1310,10/30/2020,for once i agree with realdonaldtrump a vote for trump will restore the \xe2\x80\x9crule of a corrupt political class\xe2\x80\x9d &amp; the biggest inept crime family,United States of America,California,CA,Donald Trump,0,-0.7\r\n1311,10/30/2020,for the trump's a 1000 americans dying a day is nothing. that is the value they place on your life. vote,United States of America,New York,NY,Donald Trump,1,0.1\r\n1312,10/30/2020,former realdonaldtrump economic adviser stephenmoore lists great achievements of the trump economy lowest unemployment  and poverty rate and highest wage  growth in history.  so why are we hearing this on the friday before election day trumpwarroom warroompandemic,United States of America,New York,NY,Donald Trump,2,0\r\n1313,10/30/2020,former trump staffers support biden,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1314,10/30/2020,found friday in dallas. text at the top says \xe2\x80\x9crise up\xe2\x80\x9d. fuck donald trump and his complete inability to condemn white supremacy. trumptrain trump trumprally dallas texas vote trumpcrimefamily proudboys,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1315,10/30/2020,fridaythoughts fridaymorning fridaywisdom fridaymotivation almost done reading and editing my last chapter of trump zombie apocalypse and hopefully can maybe finish it tonight or at least by tomorrow.,United States of America,New York,NY,Donald Trump,1,0.2\r\n1316,10/30/2020,from the archives  trump narrows acceptance speech to two locations  acceptancespeech,United States of America,New York,NY,Donald Trump,2,0\r\n1317,10/30/2020,genmhayden the better question would be would president donaldtrump be missed if he didn't,United States of America,Maryland,MD,Donald Trump,2,0\r\n1318,10/30/2020,giannocaldwell realdonaldtrump i\xe2\x80\x99ve always said if it wasn\xe2\x80\x99t for his award winning personality - he had this election in the bag. all he had to do was to shut up and give biden the spotlight in august. but no one likes donaldtrump personality so he became joe biden\xe2\x80\x99s best campaigner.  true talk.,United States of America,New York,NY,Donald Trump,1,0.4\r\n1319,10/30/2020,given what trump has been saying paulkrugman questions the sanity of potus. regretfully so must i.,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1320,10/30/2020,glenngreenwald goes full trump.... 1. demonization of the left; 2. echoing trump's propaganda device of deep state subversion; and 3. assuming that destroying trump is a bad thing. a perfect trifecta of trumpian fascist bullshit.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1321,10/30/2020,go vote for trump,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n1322,10/30/2020,gop train wreck antitrump dumptrump notmypresident trump fucktrump impeachtrump resist donaldtrump trumpmemes impeach lockhimup democrats trumpsucks election maga putinspuppet make them pay\xf0\x9f\xa4\xac,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1323,10/30/2020,govherbert why don\xe2\x80\x99t you pretend it doesn\xe2\x80\x99t exist like trump,United States of America,California,CA,Donald Trump,0,-0.8\r\n1324,10/30/2020,guypbenson jasoninthehouse biden\xe2\x80\x99s speech longtime difficulties are well-known. his story has been told; you know this. it\xe2\x80\x99s beneath you to mock that.  and if i were a trump supporter i would *never* mock anyone for verbal gaffes. ever. by the way i\xe2\x80\x99m not a biden supporter. but i do like you so stop.,United States of America,Alabama,AL,Donald Trump,0,-0.2\r\n1325,10/30/2020,has anyone ever seen a campaign that was this pathetic what is the strategy of this - an old man screaming in empty parking lots hours painting the white circles just for a 5 minute speech burn $60000 in jet fuel to go speak to 6 people sleepyjoe trump maga,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1326,10/30/2020,he has no leadership qualities people are still dying votehimout cardib trump votehimout vote coronavirus counteveryvote cnn trumpcrimefamily trumpvirus donaldtrump bunkerboy,United States of America,California,CA,Donald Trump,0,-0.8\r\n1327,10/30/2020,heads are going to explode if trump wins the election. guaranteed. stay safe,United States of America,California,CA,Donald Trump,1,0.1\r\n1328,10/30/2020,health officials rated celebrities on trump loyalty while planning ad campaign arstechnica   bethmariemole,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1329,10/30/2020,hellenic greek americans are voting for .realdonaldtrump teamtrump trumppence trump2020 trump and this is why zouvelosgeorge fiatluxstudios  georgezouvelos zouvelos redwave redtsunami,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1330,10/30/2020,henrysebby bostonglobe just like gays blacks jews. endorsing trump is ignoring the democrat hate and fighting against the antisemitism and racism by the democrats. the democrat biden party has become the party of hate,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n1331,10/30/2020,here is the link to what was once the state of affairs of blacks &amp; women in america - elections matter - votehimout we can't afford four more years of trump,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n1332,10/30/2020,hmmm...less educated white guys generally vote for trump what has gop ever done for working class whenever you guys switch to gop how has that worked out for ya allreagansfault grpress gop betsydevosed ap usatoday freep mlive miningjournal,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n1333,10/30/2020,homedepot co-founder berniemarcus trump deserves a second term and has my vote here's why  $qqq $spy $iwm $dia $ijh $xlk $xlv $xlp $xlu $xly $xlc $xlb $xlf $xli $xle $iusv $iusg $qual $usmv $mtum $dgro $vti $vym $vtv $voo $vlue vote2020 votetrump2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n1334,10/30/2020,how can anyone be pro-life but think it\xe2\x80\x99s ok to rip children away from their parents approximately 545 whose parents are are unaccounted for election2020 florida trump trump2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1335,10/30/2020,how can it happen again that biden wins the popular vote yet trump takes the electoralcollege doesn't the popular vote determine the other we cannot take another 2016. votebidenharris msnbc,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n1336,10/30/2020,how do you answer these questions  trump2020landslide trumprally biden  trump,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1337,10/30/2020,how donaldtrump got lilwayne and other black people to vote for him,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1338,10/30/2020,how is cleveland blm clevelandvotes tamirrice permitted to have voter drive outside of cuyahogaboe on 11/1 shouldn't be within 3 blocks. disgusting. i'll be there with my trump and backtheblue signs.,United States of America,Ohio,OH,Donald Trump,0,-0.5\r\n1339,10/30/2020,how trump got re-elected in 2020 working americans are genuinely tired of exporting their jobs to china - futureguy timetravel election2020 biden trump trumphascovid democracy republicansforbiden,United States of America,California,CA,Donald Trump,0,-0.8\r\n1340,10/30/2020,i closed my eyes and this was the best thing i\xe2\x80\x99ve heard all day. someone get this guy to help with a great trump deepfake,United States of America,Nevada,NV,Donald Trump,1,0.7\r\n1341,10/30/2020,i just signed a petition don\xe2\x80\x99t let trump rush election results and silence voters learn more and sign here veteran,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1342,10/30/2020,i knew it sounded familiar chelseahandler dncwarroom dnc democrats biden realdonaldtrump trump republicans fortherepublic,United States of America,New York,NY,Donald Trump,2,0\r\n1343,10/30/2020,i love how the midwest fucked up and elected trump in 2016 and now all of a sudden they\xe2\x80\x99re treated like they\xe2\x80\x99re important,United States of America,Texas,TX,Donald Trump,1,0.8\r\n1344,10/30/2020,i think ppl that want biden to win should bet a lot of money on trump winning the election cuz then at least it\xe2\x80\x99s a win-lose. i\xe2\x80\x99m going to make that bet and i learned that strategy from realkidpoker  andrewneeme  and rampagepoker \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,Minnesota,MN,Donald Trump,0,-0.1\r\n1345,10/30/2020,i thought journalist  reparable new stations speak the truth. why in jesus name do you even cover realdonaldtrump . trump is always making up shit.  lies.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1346,10/30/2020,i went to mardi gras in new orleans spring break in fort lauderdaledid a 4-state roadtrip for 2 weeks in june through fl ga nc and sc did vegas in july and the fl keys in aug went to istanbul 15.5 mil in september for 2 weeks and now sitting at a bar.  covidhoax trump,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1347,10/30/2020,i'm guessing they're driving trump around outside the venue so that he can see the crowd outside the gates,United States of America,Oregon,OR,Donald Trump,0,-0.4\r\n1348,10/30/2020,if you smoke weed you should be very scared of joebiden &amp; kamala harris winning.they locked up more people for weed use than anyone else.biden\xe2\x80\x99s crime bill targeted black weed users. kamala put them away.biden is still proud of his bill trump hasn\xe2\x80\x99t made it illegal they will,United States of America,California,CA,Donald Trump,0,-0.5\r\n1349,10/30/2020,if you support or don\xe2\x80\x99t support donaldtrump &amp; joebiden  go listen to my new album e-sosa forever on spotify  powered by distrokid,United States of America,California,CA,Donald Trump,0,-0.4\r\n1350,10/30/2020,if you\xe2\x80\x99re considering voting for biden because you hate potus; consider carefully balancing freedom prosperity jobs &amp; living via trump vs biden\xe2\x80\x99s planned despair depression agony &amp; lockdown til 2022. this is not a popularity contest choose wisely.,United States of America,Colorado,CO,Donald Trump,0,-0.6\r\n1351,10/30/2020,imagine how many people will become infected with coronavirus because of selfish realdonaldtrump's super spreader rallies. trump does not care about us he just wants your vote. don't let this continue. please votebiden for our health. voteblue for people who care about us.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1352,10/30/2020,in just 2 notes i wrote the election night theme song vote trump biden chaos,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1353,10/30/2020,in texas people still can think independently and ask biden democrat to explain their lies. biden is ofcourse to afraid to answer. if this would be trump it would get a lot of cnn exposure.,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n1354,10/30/2020,in the losangeles san fernando valley studio city area a few business owners on ventura blvd\xe2\x80\x94whose shops boarded up during the georgefloyd riots &amp; are currently struggling with covid19\xe2\x80\x94are boarding up again for fear of anti-trump election night violence. what a nightmare.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1355,10/30/2020,instagram is purposely hiding the hashtag \xe2\x80\x9ctrump\xe2\x80\x9d. i\xe2\x80\x99ll ask again...is this the usa or is it china,United States of America,North Carolina,NC,Donald Trump,0,-0.5\r\n1356,10/30/2020,intolerance is not up for debate. it does not have two sides.  hate bigotry racism trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1357,10/30/2020,it is insane for any restaurant to be open in the u.s. covid19 is spiking. if you are voting for trump who holds rallies where people are exposed to the virus you need to check yourself. our rate is up 122% just in 2 wks here in connecticut. believe indoordining is to blame,United States of America,Connecticut,CT,Donald Trump,0,-0.2\r\n1358,10/30/2020,it sure seems like trump is lying bigger &amp; more frequently  as his desperation skyrockets to the moon.,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n1359,10/30/2020,itanimulli20 cult_of_the_sun sarahcpr russia stole the dnc emails &amp; gave them to wikileaks. then wikileaks dropped emails everyday obviously to favour trump which he repeated every night on the stump.they really didn\xe2\x80\x99t like clinton. and i\xe2\x80\x99m sure the emails were real but with highlights you can create any narrative,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1360,10/30/2020,itanimulli20 cult_of_the_sun sarahcpr schwarzenegger man we should have coffee sometime  lol.  we see the same bs.  except slightly tilting on opposite sides of the fence. i just can\xe2\x80\x99t turn on the tv and face trump chasing ratings for the next 4 years.  i can\xe2\x80\x99t.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1361,10/30/2020,itanimulli20 cult_of_the_sun sarahcpr yeah if your ranting is to do with the shit media - i 100% couldn\xe2\x80\x99t agree more i always said trump would have won in a landslide if he just shut up and let biden take the spotlight. but donaldtrump couldn\xe2\x80\x99t help himself.  a ratings addict.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1362,10/30/2020,itanimulli20 madisonmediavmg cult_of_the_sun sarahcpr where\xe2\x80\x99s the conflictofinterest of the trump family collecting from billionaires and millionaires $$ to mingle with the potus every weekend at maralago without any over sight  oh pls. whatever crap they throw at joebiden middle ppl ask \xe2\x80\x9chave you seen your guy\xe2\x80\x9d,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1363,10/30/2020,jackabycatz dougducey realdonaldtrump boycott trump and lilwayne,United States of America,Arizona,AZ,Donald Trump,0,-0.6\r\n1364,10/30/2020,jackdorsey of twitter defends censoring president trump but not iran's america hating ayatollah,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n1365,10/30/2020,jaketapper hey jake i\xe2\x80\x99m sure republicansforbiden gives you a warm and tingly feeling but true republicans don\xe2\x80\x99t vote for dementiajoe. he\xe2\x80\x99s a brain dead hack who is going to let aoc and her ilk destroy the country.  i you don\xe2\x80\x99t like trump i get it. then don\xe2\x80\x99t vote.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1366,10/30/2020,jasonsmithmo realdonaldtrump mike_pence i wouldn't follow trump across the street for free beer.,United States of America,Missouri,MO,Donald Trump,0,-0.1\r\n1367,10/30/2020,jay cutler former nfl quarterback endorses trump 'never a doubt' -   jaycutler trump,United States of America,District of Columbia,DC,Donald Trump,1,0.8\r\n1368,10/30/2020,jeffreygoldberg drmaggiesa radiofreetom with over a generation of bipartisan policies that favored the rich their businesses and wealth over the needs of the american people the presidency of a vicious populist like .realdonaldtrump was pre-ordained. trump is the frankenstein\xe2\x80\x99s monster of our political system.,United States of America,California,CA,Donald Trump,0,-0.5\r\n1369,10/30/2020,joebiden  has referenced the trump supporters off to his left 3 times now by calling them those ugly folks over there. pathetic.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1370,10/30/2020,joebiden just called trump supporters ugly. he's realizing his political career is over after tuesday,United States of America,Nevada,NV,Donald Trump,0,-0.7\r\n1371,10/30/2020,johnleguizamo more importantly...a vote for trump is a vote for insanity...,United States of America,Louisiana,LA,Donald Trump,1,0.1\r\n1372,10/30/2020,johnmccain was a hero and trump is a loser,United States of America,California,CA,Donald Trump,0,-0.7\r\n1373,10/30/2020,jonathongrant6 trumpfornever erikj forbes realdonaldtrump tppf nbcnews as we all are. between caller id and cancel culture many potential poll respondents just don't want to be bothered. the intriguing thing is when pollsters ask who do you think your neighbor is voting for trump's numbers increase massively with that q.,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1374,10/30/2020,joycewhitevance trump corrupts everything he touches.  he is not even smart enough to avoid a public display of corruption. shameless,United States of America,California,CA,Donald Trump,0,-0.8\r\n1375,10/30/2020,juli\xc3\xa1n m\xc3\xbasico de salsa y votante independiente explica como por su apoyo a trump ha perdido amistades y conexiones familiares.latinos elecciones2020,United States of America,New York,NY,Donald Trump,1,0.4\r\n1376,10/30/2020,just because you have more people at a rally doesn't mean you are going to win.  but if that keeps you happy then thats a good thing trump,United States of America,Nevada,NV,Donald Trump,0,-0.1\r\n1377,10/30/2020,just found the tuckercarlson missing document  important .. breaking news trump bidenharris,United States of America,California,CA,Donald Trump,0,-0.2\r\n1378,10/30/2020,just one of the many lies told by trump and his enablers. remember them all when you vote2020 and votethemallout,United States of America,California,CA,Donald Trump,0,-0.2\r\n1379,10/30/2020,just to let you imps know i\xe2\x80\x99m for trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1380,10/30/2020,kellieadennis74 and and trump makes fun of her for it. he will literally turn on anyone that does not do exactly as he says. i have never seen anything like him,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n1381,10/30/2020,kloveradio air1radio klove air1 jesus christian maga nashville tennessee trump,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1382,10/30/2020,kronicmigraine twitter do your thing\xf0\x9f\x92\x81\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f kpop arianagrande blm trump biden like4like,United States of America,California,CA,Donald Trump,2,0\r\n1383,10/30/2020,latino vote nomorebullshit doyourresearch louderwithcrowder benshapiro liberalhivemind drinkinbros joerogan tuckercarlson latinovote thatstopnach maga kag trump trump2020 republican conservative freedom liberty beheard makeamericagreatagain,United States of America,Texas,TX,Donald Trump,2,0\r\n1384,10/30/2020,leaders must be remembering/anticipating anti-trump response again like after 2016\xe2\x80\x99s trump win. state leaders law enforcement discuss plans for election night urge safety  via fox12oregon,United States of America,Oregon,OR,Donald Trump,0,-0.1\r\n1385,10/30/2020,lebassett thebaxterbean trump always has something substantive to say. \xf0\x9f\x99\x84,United States of America,Virginia,VA,Donald Trump,1,0.3\r\n1386,10/30/2020,lidajames22 hodamallone i'm with you on voting trump out. unfortunately the democrats are under a mass delusion that they can kill 59 million freelance gigs and that will help their union friends.,United States of America,California,CA,Donald Trump,0,-0.5\r\n1387,10/30/2020,lies leavehunteralone hunter is not running for potus the real crook trump trumpfailed americansdied,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1388,10/30/2020,liltunechi realdonaldtrump potus black people  quit being sheep  the democraticparty is held you on bondage in lyndon johnson  vote trump. amazing he was not a racist until became president according to the haters,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1389,10/30/2020,liltunechi realdonaldtrump potus i . am . done. greedy mf'ers. some not all but some get a penny and lose all perspective. fool why djt meeting with you 5 days before the election i call bullshit trump blackmen rappers greed excuse my language but i am angry.,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1390,10/30/2020,liltunechi realdonaldtrump potus president big wayne meets lil trump liltunechi realdonaldtrump donaldjtrumpjr erictrump lilwayne trump trump2020 bigwayneliltrump,United States of America,California,CA,Donald Trump,2,0\r\n1391,10/30/2020,lilwayne is trending after he endorsed trump,United States of America,North Carolina,NC,Donald Trump,2,0\r\n1392,10/30/2020,lindseygraham - trump is like being shot in the head. maga \xf0\x9f\xa5\xb4,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1393,10/30/2020,lisasue62 markdistance dgcomedy the real melania despises trump and knows he\xe2\x80\x99s a sociopath. she\xe2\x80\x99s possibly one herself.,United States of America,California,CA,Donald Trump,0,-0.1\r\n1394,10/30/2020,live liza draws trump war on environment . watch me on happs  trump environment earth globalwarming,United States of America,New York,NY,Donald Trump,1,0.1\r\n1395,10/30/2020,madame tussauds in berlin dumps trump before u.s. election | reuters trash pickup is monday in berlin so tidy museum is doing its due diligence taking care of business,United States of America,Virginia,VA,Donald Trump,2,0\r\n1396,10/30/2020,madamnetussauds throws away wax figure of donaldtrump in a dumpster. \xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,California,CA,Donald Trump,0,-0.2\r\n1397,10/30/2020,maga draintheswamp donaldtrump turnvared,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n1398,10/30/2020,maga2020 maga maga2020landslide trump2020 trump2020landslide trump2020landslidevictory trump2020 trump vote vote2020 voteearly voteredtosaveamerica,United States of America,Texas,TX,Donald Trump,2,0\r\n1399,10/30/2020,make america great again thingstrumpsay trump iamtrump iwin america,United States of America,New York,NY,Donald Trump,2,0\r\n1400,10/30/2020,mark two more for trump  wichita kansas,United States of America,Kansas,KS,Donald Trump,2,0\r\n1401,10/30/2020,markkelly on trump hurrying mcsally rally speech have 'respect' thehill,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1402,10/30/2020,mattkrantz davenadig jasonbritton etfs that have under $50 million in assets face great risk of closing and if trump loses the $maga ticker will mean less to the general public. appreciate the quote matt.,United States of America,New York,NY,Donald Trump,1,0.1\r\n1403,10/30/2020,mcconnell expects coronavirus stimulus in 2021 while pelosi and trump push for a deal sooner trump politicalviews politics,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1404,10/30/2020,mcconnell plans to fill two key circuit court seats even if trump loses trump politicalparties politicalviews,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1405,10/30/2020,meanwhile lilwayne endorses trump who condones police brutality.  just sad.,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n1406,10/30/2020,medit8now the trump administration are massmurderers,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n1407,10/30/2020,meidastouch let\xe2\x80\x99s make trump impeachmentday be one for him to remember and embarrassment for those trumpfans votehimout,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1408,10/30/2020,men whether black hispanic or white we have to do better regarding racism in addition to sexism.  while we are the primary upholders of sexism we are secondary enforcers of racism. 2020 has taught that men uphold white supremacy in different ways. toxicmasculinity trump,United States of America,Wisconsin,WI,Donald Trump,0,-0.3\r\n1409,10/30/2020,might want to inform trump &amp; his band of merry sycophants they seem to have lost reality.,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n1410,10/30/2020,mike_pence realdonaldtrump trump's failure to contain the virus is crushing the restaurant industry. failedpresident failurefriday,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1411,10/30/2020,mining is poised to carve up this pristine alaska wilderness  via natgeo climatechange trump,United States of America,Washington,WA,Donald Trump,1,0.2\r\n1412,10/30/2020,more people have *already voted* in texas than the entire number of people who voted in the 2016 election. this is how we're going to win. put up such huge numbers there is no way for the man-baby realdonaldtrump to even consider questioning the results. biden trump vote,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n1413,10/30/2020,most canadians hope for trump defeat after insults attacks,United States of America,California,CA,Donald Trump,0,-0.4\r\n1414,10/30/2020,most hilarious donald trump joe biden and barack obama rally moments c...  via youtube.     watch this and be prepared for a good halloween \xf0\x9f\x8e\x83 chuckle \xf0\x9f\x91\xbb,United States of America,Massachusetts,MA,Donald Trump,1,0.4\r\n1415,10/30/2020,my 2020 election forecast via 270towin 320 electoral votes for trump trump2020 election2020  2020election,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1416,10/30/2020,my heart's swooning. so is yours \xe2\x9d\xa4 onlytheyoung thank you taylorswift13 \xf0\x9f\x92\x99 votebiden vote2020 maga trump seniorsagainsttrump itiswhatitis taylorswift,United States of America,District of Columbia,DC,Donald Trump,1,0.6\r\n1417,10/30/2020,my latest on tinyview   undecidedvoters election2020 ballot trump biden,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n1418,10/30/2020,my state. wisconsin our hospitals are full. we are in serious covid19 trouble. but trump comes here with his superspreaderevents ~ my heart breaks for our healthcare workers. this truly is a cult. and it\xe2\x80\x99s horrifying. trumpcult,United States of America,Wisconsin,WI,Donald Trump,0,-0.3\r\n1419,10/30/2020,natural20shirts 13wham you watch too much cable news. lilwayne just endorsed trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1420,10/30/2020,nbcnews if hunterbiden last name was trump would your story still imply the emails were part of a conspiracy isn\xe2\x80\x99t it amazing how you actually go out of your way to disinform the american people you say realdonaldtrump adds fuel to fire but what would you call this,United States of America,Minnesota,MN,Donald Trump,0,-0.4\r\n1421,10/30/2020,nbcnews nbclatino donaldtrump is now even losing evangelicals. and joebiden is gaining them.,United States of America,Maryland,MD,Donald Trump,0,-0.4\r\n1422,10/30/2020,nbcnews trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n1423,10/30/2020,new sassy justice with fred sassy | deepfake fakenews trump usa democracy republicansagainsttrump mediabias election   via youtube,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1424,10/30/2020,new trump approved shipping tar sands by rail to alaska. project owners are banking on a melting arctic  w/ comment via billmckibben cc naomiaklein zdroberts judlew shannynmoore ashleybraun andrewperezdc alleenbrown collinrees jamieclimate,United States of America,California,CA,Donald Trump,2,0\r\n1425,10/30/2020,news24 alert- fakenewsmedia hurricanezeta hurricanezeta2020 hurricanedelta hurricane tropicalstormzeta tropicalstorm coronavirus corona coronavirusoutbreak biden trump hurricaneseason2020 breakingnews zetahurricane zeta pandemicisoveruk generationsthelegacy,United States of America,Virginia,VA,Donald Trump,1,0.1\r\n1426,10/30/2020,no one rioted after obama won 2x. we were grief-stricken but we just went to work volunteered and worshipped the way we always did because we believed in the electoral process. the left \xe2\x80\x9cpeaceful transition of power\xe2\x80\x9d is threatening to burn america down when trump wins.,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1427,10/30/2020,no power  no problem  they brought in a voting bus at the chastain location.  vote2020 chastainlife chastainpark chastain democrat republican biden trump vote,United States of America,Georgia,GA,Donald Trump,2,0\r\n1428,10/30/2020,no words  just no words to describe the trump lies....,United States of America,California,CA,Donald Trump,0,-0.6\r\n1429,10/30/2020,no words  just no words to describe the trump lies....,United States of America,California,CA,Donald Trump,0,-0.6\r\n1430,10/30/2020,no words  just no words to describe the trump lies....,United States of America,California,CA,Donald Trump,0,-0.6\r\n1431,10/30/2020,no words  just no words to describe the trump lies....,United States of America,California,CA,Donald Trump,0,-0.6\r\n1432,10/30/2020,no words  just no words to describe the trump lies....,United States of America,California,CA,Donald Trump,0,-0.6\r\n1433,10/30/2020,no words to explain the stupidity of this. covid19 trump,United States of America,Indiana,IN,Donald Trump,0,-0.5\r\n1434,10/30/2020,nobody can deny economy is doing great despite a global pandimic look at latest gpd numbers gas prices interest rates &amp; taxes all-time low all dems want to complain about it is covid but trump has handled it just fine tell me how rest of the world is doing foxnews msnbc,United States of America,New York,NY,Donald Trump,1,0.3\r\n1435,10/30/2020,nolte poll shows black support for trump at 31 percent  via breitbartnews,United States of America,Illinois,IL,Donald Trump,2,0\r\n1436,10/30/2020,nowthisnews children watching in cages mel or watching this thisweekabc foxnews cnnbrk projectlincoln nytimes trump trumpislosing covid19 coronavirus bebest,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1437,10/30/2020,nprpolitics well - given that polls underestimate donaldtrump at about 3% - when you throw that it - he would probably win all 7 toss up states like last time.  go out and vote for joebiden,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1438,10/30/2020,of course realdonaldtrump or his trumpcrimefamily won\xe2\x80\x99t comment because it is all fake lies. that is trump bidenharris2020 bluetsunami,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1439,10/30/2020,officials in trump's administration say despite public denial that the president is actually pushing for a herd-immunity strategy for covid-19..trump..gop..covid19,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1440,10/30/2020,ohio el laboratorio electoral que pronostica la derrota de trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1441,10/30/2020,on northcarolina - attendees at trump rally in north carolina test positive for coronavirus,United States of America,California,CA,Donald Trump,1,0.1\r\n1442,10/30/2020,over the top trump supporter at the yonkers polling place today\xf0\x9f\x98\xb7,United States of America,New York,NY,Donald Trump,2,0\r\n1443,10/30/2020,pennsylvania do not let trump steal our votes  call your local state reps and senators and tell them your vote  counts. tell them to start vote counts now,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n1444,10/30/2020,philadelphia isn't portland it's a city that supports the police lawandorder america and trump,United States of America,California,CA,Donald Trump,0,-0.5\r\n1445,10/30/2020,please do not believe anyone who says they are an undecidedvoter at this point.  they are really just looking for validation to vote for trump,United States of America,Georgia,GA,Donald Trump,0,-0.7\r\n1446,10/30/2020,please vote. please keep your family safe. vote for someone who respects science. vote for someone who doesn't call science and scientist stupid. realdonaldtrump downplayed the virus. trump has no plan on what to do. 2020election,United States of America,California,CA,Donald Trump,0,-0.1\r\n1447,10/30/2020,politico this is a hint hint to democrats to not take the misleading polls for granted.  trump will win shy voters or not and unlike oldjoe the excitement and momentum are all on his side. \xf0\x9f\x91\x8f\xf0\x9f\x91\x8d\xf0\x9f\xa5\xb0 fourmoreyears kag2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,New York,NY,Donald Trump,2,0\r\n1448,10/30/2020,poll it\xe2\x80\x99s getting closer to electionday who gets your vote elections2020 donaldtrump joebiden trump2020 biden2020,United States of America,Florida,FL,Donald Trump,1,0.1\r\n1449,10/30/2020,pollak 11 shining successes of president donald trump\xe2\x80\x99s first term,United States of America,New York,NY,Donald Trump,1,0.2\r\n1450,10/30/2020,positive trump polls spark polling circle debate government political trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1451,10/30/2020,prayer for this election. repost godwins trump trumpprayers prayerfortrump,United States of America,Florida,FL,Donald Trump,2,0\r\n1452,10/30/2020,predict the president election2020 will trump or biden win the us election make your own map. you decide | 270towin,United States of America,California,CA,Donald Trump,0,-0.2\r\n1453,10/30/2020,president donald j. trump is going to have a lot of rallies the next few days... pennsylvania michigan wisconsin iowa north carolina georgia and florida.,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n1454,10/30/2020,proof trump is not a racist. and that blacklivesmatter to our potus realdonaldtrump \xe2\x80\x94 finally puts a lid on that. platinumplan lilwayne americafirst blackvoters redwave blacklivesmatter 5days votetrump2020 maga,United States of America,California,CA,Donald Trump,1,0.2\r\n1455,10/30/2020,rawstory so once again trump is demanding to change something that has always been done. count some ballots after election day.,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n1456,10/30/2020,realclearnews moves michigan back into tossup column giving biden 216 likely electoral votes. trump stays at 125,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1457,10/30/2020,realdonaldtrump 12 more years trump2020 trump,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n1458,10/30/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1459,10/30/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1460,10/30/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1461,10/30/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1462,10/30/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1463,10/30/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1464,10/30/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1465,10/30/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1466,10/30/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1467,10/30/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1468,10/30/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1469,10/30/2020,realdonaldtrump biden trump,United States of America,California,CA,Donald Trump,2,0\r\n1470,10/30/2020,realdonaldtrump breitbartnews trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.4\r\n1471,10/30/2020,realdonaldtrump donnieshungry pass it around. retweet factsmatter donaldtrump,United States of America,Massachusetts,MA,Donald Trump,1,0.1\r\n1472,10/30/2020,realdonaldtrump foxnews i suggest that trump step away from the mirror when he tweets. have you ever noticed that he accuses others of the same crimes he has committed we have all heard the saying takes one to know one. this is obviously true with trump. trumplieseverytimehespeaks donaldtrumpjr,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1473,10/30/2020,realdonaldtrump gop wiassemblygop takes advantage of black people again. his campaign hired people to canvas for him and they were fired and not paid.  trumpislosing trump,United States of America,Wisconsin,WI,Donald Trump,0,-0.4\r\n1474,10/30/2020,realdonaldtrump hey trump...no bragging about the stockmarket anymore,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1475,10/30/2020,realdonaldtrump i never thought i was going to write this tweet but honestly i really appreciate donaldjtrump being in this election. because of trump my son voted for the 1st time...yeah.. and he vote for joebiden2020 hahah bluewave is coming november3rd impeachmentday,United States of America,Florida,FL,Donald Trump,1,0.6\r\n1476,10/30/2020,realdonaldtrump roses are red texas is blue trump loses by a landslide and goes to jail too  tax cheat money laundering tuesdaysenatebluewave bye bye senatemajldr and we stack the court  losers,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n1477,10/30/2020,realdonaldtrump sorry stormydaniels said that there is no trump super boom.,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n1478,10/30/2020,realdonaldtrump there is absolutely no need for a domestic army we are a great and confident country. our tradition for free &amp; fair elections are the envy of the world. ginning up his base with inflated bellicose language trump is expressing his radical chaotic &amp; anarchic inclinations.,United States of America,California,CA,Donald Trump,2,0\r\n1479,10/30/2020,realdonaldtrump trump votehimout bidenharris2020,United States of America,California,CA,Donald Trump,1,0.1\r\n1480,10/30/2020,realjameswoods voted trump and republican straight down the line. arizona,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1481,10/30/2020,really.  please find me these people on the other side who are so taken with his argument and engagement. it is hard to find biden voters singularly compelled by the candidate; they are driven by white-hot trump hatred.,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1482,10/30/2020,redwave redwaverising2020 trump trump2020landslidevictory,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1483,10/30/2020,repsforbiden we are rounding it look at the lower death rates we\xe2\x80\x99re battling &amp; treating it don\xe2\x80\x99t be blinded by your biased trump potus hate in such a manner that you\xe2\x80\x99ll deny actual scientific data even nytimes recognizes it,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1484,10/30/2020,retired minnesota police officers asked to be trump poll watchers in \xe2\x80\x98rough neighborhoods\xe2\x80\x99 - fox news,United States of America,Tennessee,TN,Donald Trump,0,-0.7\r\n1485,10/30/2020,reuters it is not surprising that a bear would vote biden as he is getting ready to hibernate for a dark winter. but why not lead the headline with the two tigers who voted for trump  since the tigers represent the 2/3 majority of your wild kingdom election2020 vote,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1486,10/30/2020,reuters the other day reported that trump\xe2\x80\x99s buddy putin said he didn\xe2\x80\x99t believe the hunterbiden  \xe2\x80\x9cscandal\xe2\x80\x9d had a whiff of truth restoreconfidenceinthepresidency-votejoebyedon2020,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n1487,10/30/2020,ropanaftowa donaldtrump,United States of America,New York,NY,Donald Trump,1,0.3\r\n1488,10/30/2020,rt &amp; register now exclusive discussion with former primeminister of our great ally israel. how will us election2020 impact our key relationship &amp; what's ahead with trump biden ask your own special questions to him military militaryservice \xf0\x9f\x91\x89\xf0\x9f\x91\x89,United States of America,New York,NY,Donald Trump,1,0.1\r\n1489,10/30/2020,sadyudarvish super70ssports donaldtrump can't hear u he's grabembythepussy,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1490,10/30/2020,satirical video of 'stranded trump supporter' goes viral reaction  trump blairerskine satirical funny viral,United States of America,New York,NY,Donald Trump,1,0.5\r\n1491,10/30/2020,savagetrump trump dance bidentrump vote 2020 biden sleepyjoe ohhohh trump2020 fakenews cnnfakenews bastard sleepyjoe savage fyp,United States of America,New York,NY,Donald Trump,1,0.3\r\n1492,10/30/2020,scaramucci all the lies scaramucci posts about realdonaldtrump just shows how disgruntled he is for being fired.  egotistical and narcissistic- plain to see.  this guy needs help he can\xe2\x80\x99t even articulate why he hates trump tds disgruntled trump2020landslide,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n1493,10/30/2020,seanhannity trump's us postal service did that that should be illegal. maga,United States of America,Idaho,ID,Donald Trump,0,-0.1\r\n1494,10/30/2020,secupp are you looking at the numbers of supporters at his rallies are you looking at the early numbers in miami and fl jews african-americans latinos amish numbers are up wakeupamerica wakeup trump2020landslide trump bidencorruption bidencrimefamiily vote voteearly,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1495,10/30/2020,since trump for journalists death threats now just come with the territory. ditto doxxing or being attacked at a campaign event or risking one\xe2\x80\x99s personal and general well-being. never mind the whiffs of anti\xe2\x80\x931st ammendment sentiment hanging in the air,United States of America,California,CA,Donald Trump,0,-0.4\r\n1496,10/30/2020,so brett favre supports trump. all that means is a man with probably multiple undiagnosed concussions is voting for an imbecile who chose to ignore covid19 and therefore keeping fans away from attending football games. yeah. that\xe2\x80\x99s balanced,United States of America,Virginia,VA,Donald Trump,0,-0.2\r\n1497,10/30/2020,so funny and sadly true. voteearly trump gop,United States of America,Colorado,CO,Donald Trump,1,0.4\r\n1498,10/30/2020,so much behind the scenes legal wrangling going on to help trump steal our election.  what lawyers does he have that they are willing to destroy our constitution to gain his favor,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1499,10/30/2020,so much for \xe2\x80\x9crounding the turn\xe2\x80\x9d mr. president misleader in chief. trump covid19 bidenharris2020,United States of America,California,CA,Donald Trump,0,-0.1\r\n1500,10/30/2020,so russia you want to mess with our votingmachines trump trumprussia,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1501,10/30/2020,some facts to consider trump has a sack of jangly bitcoins used only for beating enemies.learningtime,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1502,10/30/2020,speakerpelosi can we vote you out you are a failure and embarrassment to the dnc party you don\xe2\x80\x99t care about the people trump joebiden2020 vote dnc stimuluscheck 2020election,United States of America,Tennessee,TN,Donald Trump,0,-0.9\r\n1503,10/30/2020,spurs coach not a fan of trump \xe2\x80\x9che\xe2\x80\x99s not just divisive. he\xe2\x80\x99s a destroyer...he is a coward. he creates a situation and runs away like a grade-schooler...there is nothing he can do to make this better because of who he is a deranged idiot.\xe2\x80\x9d,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1504,10/30/2020,sspencer_smb jamessurowiecki there are a lot of very fucking good lawyers that are just waiting trump to step off as a potus45 in order to sue him very badly. family and close collaborators will follow to be with him in jail. it's so obvious that if you think that all 'be over soon' you are not quite good.,United States of America,California,CA,Donald Trump,0,-0.5\r\n1505,10/30/2020,stan_stepak jackposobiec nervous but trump  must win regardless of the aftermath then we must co e together  \xf0\x9f\x99\x8f\xf0\x9f\x8f\xbc\xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Florida,FL,Donald Trump,1,0.5\r\n1506,10/30/2020,stephen king explains why he believes 2020 is not like 2016 for donaldtrump,United States of America,California,CA,Donald Trump,0,-0.5\r\n1507,10/30/2020,stephen miller reveals trump's immigration agenda if he's re-elected  via nbcnews,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1508,10/30/2020,stfu trump,United States of America,Colorado,CO,Donald Trump,2,0\r\n1509,10/30/2020,such a crook trump ~~&gt;,United States of America,California,CA,Donald Trump,0,-0.8\r\n1510,10/30/2020,sunshinest8sam realsaavedra realdonaldtrump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8trump/pence\xf0\x9f\x87\xba\xf0\x9f\x87\xb82020 trump2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8trump/pence\xf0\x9f\x87\xba\xf0\x9f\x87\xb82020 trump2020,United States of America,California,CA,Donald Trump,1,0.1\r\n1511,10/30/2020,superman trump,United States of America,Utah,UT,Donald Trump,2,0\r\n1512,10/30/2020,superspreader of fake news trump,United States of America,California,CA,Donald Trump,0,-0.8\r\n1513,10/30/2020,teamtrump realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1514,10/30/2020,teamtrump realdonaldtrump you\xe2\x80\x99re going about this all wrong melania just think you\xe2\x80\x99ll no longer have to deal with this \xe2\x80\x9cf***ing  christmas stuff\xe2\x80\x9d after one last time. both you and trump are bebest bullies - you don\xe2\x80\x99t care about us time to retire at mar-a-lago - sit by the pool.,United States of America,California,CA,Donald Trump,0,-0.9\r\n1515,10/30/2020,thats why they have to win at any cost. i'm worried about texas...trump supporters out there all accuse biden of what trump is actually doing...brainwashed projection...ballots might not be correctly counted there...i have found evidence of subliminal messages in trump ads.,United States of America,Colorado,CO,Donald Trump,0,-0.6\r\n1516,10/30/2020,the conservative movement has become a dangerous cult. republicans are not going to listen to health experts wow. it will be a long time getting over this pandemic. trump covidiots cult45 trumpiscompromised votethemallout bluewave,United States of America,California,CA,Donald Trump,0,-0.5\r\n1517,10/30/2020,the entire hiphop community was in shock last night after lilwayne posted a picture endorsing donaldtrump \xf0\x9f\x98\xb2 thoughts / 2020election,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n1518,10/30/2020,the former u.s. military forces arrested as venezuela coup plotters met at trump doral. central figure says u.s officials including a current  deptvetaffairs senior official - knew of plan - great investigative work by mcclatchy miamiherald,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1519,10/30/2020,the gop did this. trump did this. dejoy did this. don't forget that.,United States of America,Indiana,IN,Donald Trump,0,-0.1\r\n1520,10/30/2020,the gop working to normalize 1000 + covid19 deaths a day. roundingthecorner trump,United States of America,Indiana,IN,Donald Trump,0,-0.2\r\n1521,10/30/2020,the hill's 1230 report - presented by facebook - pollsters stir debate over trump numbers trump potus politics,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1522,10/30/2020,the latest updated poll from statespoll trump trump2020,United States of America,Tennessee,TN,Donald Trump,0,-0.1\r\n1523,10/30/2020,the magicalodyssey continues... racine... \xe2\x80\xa6 v &amp;amp;amp; trump scottwalker ronjohnson wiright racine riponwi sheboygan wi07 beloit,United States of America,Wisconsin,WI,Donald Trump,2,0\r\n1524,10/30/2020,the most corrupt president in history is making the fact-free argument that his opponent may have an ethics problem.  what's your reaction trumpisaliar votehimout bidenharristosaveamerica trump,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n1525,10/30/2020,the trump family is dishonest and disgusting.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1526,10/30/2020,the words of khrushchev's denunciation of stalin and his cult of personality could easily apply to trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1527,10/30/2020,theatlantic caitlinpacific trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n1528,10/30/2020,theboltupright ddale8 danialexis with trump\xe2\x80\x99s depraved mind i think he wakes up each morning conscience free this after one night causing dozens of his followers to freeze to the next having dozens sick from the heat then going after the firemen who are trying to save them attack first think later,United States of America,Michigan,MI,Donald Trump,0,-0.4\r\n1529,10/30/2020,thedailyshow lindseygrahamsc why does lindseygraham speak one way then act like a complete fool when it comes to trump  politicians don\xe2\x80\x99t they have any dignity to stand for there beliefs  so weak always worried about the consequences growsomeballs,United States of America,Pennsylvania,PA,Donald Trump,0,-0.9\r\n1530,10/30/2020,thehill .gop has to be wondering what this all means when more than texas is neck and neck in a traditionally red state.  all biden has to do is pick off one or two of them and trump is done.,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1531,10/30/2020,thehill for the gop racism is one helluva drug.  it makes you approve of your boy no matter what even to the point of burning your own damn house down as long as trump sticks it to the black guy.,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1532,10/30/2020,thehill just a ploy to try to steal votes from joebiden for trump. any black person who votes for either kanye or donnie is crazy. don\xe2\x80\x99t know what kanye\xe2\x80\x99s motive is befriending a convicted racist. black people believe his lies when he says he did more for them than obama are stupid,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1533,10/30/2020,there is little doubt that if trump had moved aggressively to protect nursing homes at the start of the pandemic tens of thousands of lives could have been saved.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1534,10/30/2020,there is no pre-show playlist going. the crowd looks confused. the potus motorcade has not pulled back into the event site. the crowd looks confused. trump is awol and i am sitting here at my desk laughing so hard i think i've scared the cat.,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n1535,10/30/2020,therealaubu chuycisneros74 the civil rights of 1964 and fdr's new deal are major items all minorities have benefited from. do some research. not just listen to trump who represents the wealthy and is using his bs to obtain votes from poor white folks whom i doubt he gives a shit about,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n1536,10/30/2020,these approval numbers are a key indicator that trump wins this election. trump2020,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1537,10/30/2020,these rappers only endorsing trump because they don\xe2\x80\x99t want their taxes to be raised up to 62% if biden wins lmao\xf0\x9f\x98\xad,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n1538,10/30/2020,they \xe2\xac\x87\xef\xb8\x8f are a large group of mentalhealth professionals sounding the alarm about trump. \xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 votebluedownballot bidenharris,United States of America,California,CA,Donald Trump,0,-0.1\r\n1539,10/30/2020,this administration is not interested in the health and safety of the american people. trump pence,United States of America,Indiana,IN,Donald Trump,0,-0.4\r\n1540,10/30/2020,this applies to trump in many instances genocide criminalnegligence ignorance,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n1541,10/30/2020,this is a president and this is who we need leading our great nation. trump redwave,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1542,10/30/2020,this is a terrific short documentary impactful because it was made mostly with old news footage &amp; commercials.  more proof that trump is the same person he always was a lousy businessman who can\xe2\x80\x99t pay his debts &amp; repeatedly needs others public banks family to bail him out.,United States of America,Alabama,AL,Donald Trump,0,-0.1\r\n1543,10/30/2020,this is trump's doing.  there most definitely is election fraud ongoing at the behest of the gop and trump,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1544,10/30/2020,this needs to be talked about\xe2\x80\xbc\xef\xb8\x8f donaldtrump joebiden 2020election,United States of America,North Carolina,NC,Donald Trump,0,-0.5\r\n1545,10/30/2020,this video is beautiful and trump\xe2\x80\x99s speech is touching. california embrace the red wave. you need it. california trump,United States of America,New York,NY,Donald Trump,1,0.3\r\n1546,10/30/2020,three hots and a cot await trump barr and fellow felons in prison.,United States of America,Nevada,NV,Donald Trump,0,-0.3\r\n1547,10/30/2020,throughout the spring and summer sudan pushed the us to remove it from the state sponsors of terrorism list. the trump admin pushed sudan to normalize ties with israel. it was a tough negotiation. but in the end both sides got what they wanted,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1548,10/30/2020,timjhogan trump,United States of America,New York,NY,Donald Trump,2,0\r\n1549,10/30/2020,to be honest  a close election should goto trump . anything short of blue wave is undeserved win,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1550,10/30/2020,true that trump blessed vote2020 godwins,United States of America,District of Columbia,DC,Donald Trump,1,0.7\r\n1551,10/30/2020,trump,United States of America,California,CA,Donald Trump,2,0\r\n1552,10/30/2020,trump,United States of America,California,CA,Donald Trump,2,0\r\n1553,10/30/2020,trump,United States of America,North Carolina,NC,Donald Trump,2,0\r\n1554,10/30/2020,trump,United States of America,Texas,TX,Donald Trump,2,0\r\n1555,10/30/2020,trump  trump2020rightmanrighttime,United States of America,New York,NY,Donald Trump,2,0\r\n1556,10/30/2020,trump = liarinchief,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1557,10/30/2020,trump abandoned puertorico and all latinx. he despises people of color.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1558,10/30/2020,trump at his rally tries to make it sound like he now approves of masks and self distancing. people behind him not wearing masks and shoulder to shoulder. florida usa vote for biden now. drop off your ballots or drop box only,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1559,10/30/2020,trump at his rally tries to make it sound like he now approves of masks and self distancing. people behind him not wearing masks and shoulder to shoulder. lorida usa vote for biden now. drop off your ballots or drop box only,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1560,10/30/2020,trump biden maga redwave,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1561,10/30/2020,trump biden to hold duelling rallies in tampa government trump politicalviews,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1562,10/30/2020,trump campaign announces that melaniatrump will deliver remarks at maga rallies in wisconsin and pennsylvania on saturday....election2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1563,10/30/2020,trump campaign website is defaced by hackers   cybersecurity security privacy election2020,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1564,10/30/2020,trump clearly isn\xe2\x80\x99t for the lgbtq+ community if he keeps hurting the our transgender family. open your fucking eyes before its too late.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1565,10/30/2020,trump critics talk about trump more than his supporters do \xf0\x9f\x98\x92,United States of America,Virginia,VA,Donald Trump,0,-0.8\r\n1566,10/30/2020,trump election politics,United States of America,Kentucky,KY,Donald Trump,0,-0.5\r\n1567,10/30/2020,trump fans out there starving homeless dying trump still keeps up with all his lies. if trump cared he would fix all that and more that needs fixed.  vote for a real president vote jojorgensen2020 for president. election vote jojorgensen trump biden election2020,United States of America,Wyoming,WY,Donald Trump,0,-0.3\r\n1568,10/30/2020,trump fans out there starving homeless dying trump still keeps up with all his lies. if trump cared he would fix all that and more that needs fixed.  vote for a real president vote jojorgensen2020 for president. election vote jojorgensen trump biden election2020,United States of America,Wyoming,WY,Donald Trump,0,-0.3\r\n1569,10/30/2020,trump florida iowa montana utah texas arizona seniors,United States of America,California,CA,Donald Trump,2,0\r\n1570,10/30/2020,trump has left af1. he waved to the crowd and did that fist pump thing that he does. then he climbed into the car to be driven to the podium--which is a very short walk away.,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n1571,10/30/2020,trump has no plan.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1572,10/30/2020,trump is not gone until he\xe2\x80\x99s out of the whitehouse,United States of America,Nevada,NV,Donald Trump,0,-0.5\r\n1573,10/30/2020,trump is truly anti-americana deplorable in so many ways,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1574,10/30/2020,trump leaves the stage and the car starts to leave without him.,United States of America,Oregon,OR,Donald Trump,0,-0.6\r\n1575,10/30/2020,trump look like he have shitty breath for some reason face vomitingface vomitingface vomiting \xf0\x9f\xa4\xae\xf0\x9f\xa4\xa3trump,United States of America,New York,NY,Donald Trump,0,-0.9\r\n1576,10/30/2020,trump maga biden redwave,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1577,10/30/2020,trump may continue to campaign after election day if results are not finalized report trump government politicalviews,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1578,10/30/2020,trump officials end gray wolf protections across most of u.s. not even the wolves are safe from donaldtrump annie grab your rifle,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n1579,10/30/2020,trump oped redwave this is a great read - and 100% factual. get out and vote for our economy oursouls usa and let's continue to push america to greatness,United States of America,District of Columbia,DC,Donald Trump,1,0.7\r\n1580,10/30/2020,trump or biden on the economy the choice is clear  liz two words for you \xe2\x80\x9cwhite privilege\xe2\x80\x9d you are so consumed by finances you\xe2\x80\x99ve conveniently forgotten all of mr trump\xe2\x80\x99s humanitarian atrocities. we have not doctorsforbiden vote2020 trumpchaos,United States of America,California,CA,Donald Trump,0,-0.6\r\n1581,10/30/2020,trump or biden on the economy the choice is clear thehill,United States of America,Texas,TX,Donald Trump,1,0.3\r\n1582,10/30/2020,trump redwave biden trumppence2020 mn trump2020landslide,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1583,10/30/2020,trump republicans election,United States of America,Minnesota,MN,Donald Trump,2,0\r\n1584,10/30/2020,trump sadly beats china in one category. he likely thinks the bigger number is better.,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1585,10/30/2020,trump said \xe2\x80\x9cif they are foe let\xe2\x80\x99s take care of those son of a bitches\xe2\x80\x9d as the fire department was spraying down his crowd as people were passing out from heatexhaustion.   tamparally tampa firedepartment trump heatstroke,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1586,10/30/2020,trump says somali-born american citizen ilhan omar \xe2\x80\x98loves\xe2\x80\x99 yemen but \xe2\x80\x98doesn\xe2\x80\x99t love our country\xe2\x80\x99..trump..gop..elections..,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1587,10/30/2020,trump should have 4 more days not 4 more years. vote bidenharrislandslide,United States of America,Hawaii,HI,Donald Trump,2,0\r\n1588,10/30/2020,trump should not leave office. he was cheated out of his 4 years. ilovetrump ivotedtrump trump2020landslide trump2020landslide,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1589,10/30/2020,trump sounds incredibly bored as he talks about how terrible the leadership in minnesota is and the horrific things they want to do to the people who live in that state. it's super creepy.,United States of America,Oregon,OR,Donald Trump,0,-0.8\r\n1590,10/30/2020,trump spars with minnesota officials over crowd limits ahead of rally thehill,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1591,10/30/2020,trump stop spanking the monkey give it a rest,United States of America,Colorado,CO,Donald Trump,0,-0.1\r\n1592,10/30/2020,trump supporters are happy brave funny and strong if that describes you come join us we believe in a bright hopeful future full of possibilities. a vote for trump is a vote for achievement instead of talk. walkaway from the party of lockdowns taxes and death.,United States of America,Florida,FL,Donald Trump,1,0.1\r\n1593,10/30/2020,trump trumpiscompromised trumptaxreturns trumprallyomaha trumpisalaughingstock realdonaldtrump,United States of America,New York,NY,Donald Trump,2,0\r\n1594,10/30/2020,trump trumptrash junkiewife,United States of America,California,CA,Donald Trump,1,0.1\r\n1595,10/30/2020,trump trumpvirus  trumphasnoplan trumpsuperspreaderrallies,United States of America,California,CA,Donald Trump,2,0\r\n1596,10/30/2020,trump turkey erdogan,United States of America,New Mexico,NM,Donald Trump,2,0\r\n1597,10/30/2020,trump votebidenharristosaveamerica trumpdoesntcare trumplies votehimout 2020election democracy trumpisaliar election2020,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1598,10/30/2020,trump vs biden,United States of America,Florida,FL,Donald Trump,2,0\r\n1599,10/30/2020,trump will win by a landslide,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1600,10/30/2020,trump won the election,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n1601,10/30/2020,trump's abuse of cuban migrants is really something  cuban detainees ice forced us to sign forms saying we wanted to go back \xe2\x80\x98visit\xe2\x80\x99 family,United States of America,Puerto Rico,PR,Donald Trump,0,-0.7\r\n1602,10/30/2020,trump's car stops the secret service runs over to open the door for donnie so he can be driven the 200 feet or so back to the plane but he completely ignores them and just sort of wanders vaguely in the direction of af1.,United States of America,Oregon,OR,Donald Trump,0,-0.7\r\n1603,10/30/2020,trump's hair gets blown off by jet engine turbine sucked by plane - bald...  via youtube,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1604,10/30/2020,trump's swamp - where people who patronize trump businesses can expect preferential treatment... administration officials fly in private jets paid for by the public \xe2\x80\x94 and where top government officials don\xe2\x80\x99t bother to divest from industries whose policies they oversee.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1605,10/30/2020,trump2020landslide  trumplied230kdied trump,United States of America,New Jersey,NJ,Donald Trump,2,0\r\n1606,10/30/2020,trump2020landslide trump,United States of America,New York,NY,Donald Trump,2,0\r\n1607,10/30/2020,trump2020landslide trump trumpislosing betterknowaballot maga biden bidenharris2020 biden2020tosaveamerica biden2020 voteagainsttrump vote voteearly bidenharris harrisvotes youthvote prochoice latinosporbiden latinosconbiden latinovote,United States of America,Texas,TX,Donald Trump,2,0\r\n1608,10/30/2020,trumplieseverytimehespeaks trump,United States of America,Texas,TX,Donald Trump,2,0\r\n1609,10/30/2020,trumpwarroom do you think you could fool people with trump\xe2\x80\x99s biggest liar of the us presidential historyown statements defending himself he actually referred to people trying to protect statues as fine ones on the side of white supremacists. really we\xe2\x80\x99ve known his color so well by now,United States of America,California,CA,Donald Trump,2,0\r\n1610,10/30/2020,trump\xe2\x80\x99s closing argument on coronaviruspandemic  clashes with science and voters\xe2\x80\x99 lives,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1611,10/30/2020,twitter is running election interference on conservatives beat them at their own game and find new a creative ways to support trump. trump 4moreyears t r u m p,United States of America,California,CA,Donald Trump,0,-0.3\r\n1612,10/30/2020,under trump households making $30 million nine times less likely to face irs audit than working poor making less than $25000.trump..gop..,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1613,10/30/2020,unions discussing general strike if trump refuses to accept biden victory. election2020 generalstrike labor,United States of America,California,CA,Donald Trump,0,-0.1\r\n1614,10/30/2020,unions gearing up for a general strike if trump refuses to leave office report | raw story,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1615,10/30/2020,unused coloring books because trump ate all the crayons. \xf0\x9f\x96\x8d trumplibrary,United States of America,California,CA,Donald Trump,1,0.1\r\n1616,10/30/2020,updated briefing based on my monthly article on trump's favorite voting machines. will selectedwisdom malcolmnance maddow et al raising alarms about electionsecurity cyberattacks consider handmarkedpaperballots to  verify election resultsjennycohn1,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1617,10/30/2020,usa election2020 predicted trump victory in the cards,United States of America,New York,NY,Donald Trump,1,0.1\r\n1618,10/30/2020,via crooksandliars drudge report president ponders defeat cancels election night party  | trump gop republicans,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1619,10/30/2020,via joshtpm bright side  | politics trump elections,United States of America,New York,NY,Donald Trump,2,0\r\n1620,10/30/2020,via jrubinblogger women will get the last word in this election  | trump republicans maga2020,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1621,10/30/2020,via rawstory internet celebrates \xe2\x80\x98mob boss daughter\xe2\x80\x99 ivanka trump\xe2\x80\x99s birthday \xe2\x80\x98here\xe2\x80\x99s your grift \xe2\x80\x94 i mean gift\xe2\x80\x99  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1622,10/30/2020,via rawstory trump biden square off in key midwestern states  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1623,10/30/2020,via rawstory trump deconstructed by bestselling author stephen king in poignant new analysis  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1624,10/30/2020,vote for trump a lie is a way to tell.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1625,10/30/2020,vote maga trump redwave2020,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1626,10/30/2020,voting a fucking distraction \xf0\x9f\x93\xba it\xe2\x80\x99s something bigger going on in the world  stop\xf0\x9f\x99\x85\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f worrying about who the fake ass president  they already pick who they want to be president years in advance \xf0\x9f\x91\x81 donaldtrump joebiden spirtual,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n1627,10/30/2020,voxdotcom trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump potus  via nyi_news follow the new york independent on twitter.,United States of America,New York,NY,Donald Trump,1,0.2\r\n1628,10/30/2020,wait. she got high marks for her leadership. what did trump do to start a surge in germany,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n1629,10/30/2020,washtimes trump is a conman a corrupt business man i rather vote for a know politician than a russianasset con.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1630,10/30/2020,we know brian is crazy but why is mmfa repeating ramblings of folks that have lost their souls and minds is there anything surprising or newsworthy here what is newsworthy are reports maskless trump rallygoers are testing positive trumpliespeopledie,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1631,10/30/2020,we now see what can happen when one party has a majority over another with a willing presideath like trump...congress needs to bring in the military...or the very least see what all the generals are thinking,United States of America,Colorado,CO,Donald Trump,0,-0.4\r\n1632,10/30/2020,week 9 college football picks - free ncaaf expert picks from the legend to bet on for saturday 10/31/20  freepicks vegas gamblingtwitter collegefootballpicks fanduel darftkings ncaaf cfb georgia kentucky sec football bettingpicks trump biden,United States of America,Nevada,NV,Donald Trump,1,0.3\r\n1633,10/30/2020,well i don\xe2\x80\x99t know about that. the only thing left for joe to destroy there is the physical building. omg did joe steal a bulldozer  bidengate trump,United States of America,Minnesota,MN,Donald Trump,0,-0.3\r\n1634,10/30/2020,what republicans really think of the orange\xf0\x9f\x8d\x8astain on america donaldtrump tbt potus draintheswamp theview bidenharris2020 vote 2020election trevornoah lindseythehypocrite foxnews hannity tuckercarlson maga2020 \xf0\x9f\x91\x8e\xf0\x9f\x8f\xbc cnn,United States of America,California,CA,Donald Trump,0,-0.6\r\n1635,10/30/2020,what we know50cent  lilpump and liltunechi are okay and good with misogyny racism xenophobia homophobia and poverty as long as they don't have to contribute to trying to make things better. celebrities are not our leaders. lilwayne donaldtrump sellout bidenharris2020,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n1636,10/30/2020,what \xe2\xac\x87\xef\xb8\x8f he said trump trump2020,United States of America,California,CA,Donald Trump,0,-0.1\r\n1637,10/30/2020,what\xe2\x80\x99s frustrating for me is that as a non-latina in miami i have 0 clout in telling my neighbors - w/ socialist/communist ptsd - that trump is feeding them baseless lies &amp; prays on their vulnerabilities. democrat-latinos in florida it\xe2\x80\x99s sadly on you to turn miami around,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1638,10/30/2020,what\xe2\x80\x99s the story with trump getting rid of protections on land in alaska before the elections and is it reversible bubblegumphilosphy whatwouldremido shootforthelegs,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1639,10/30/2020,when a 7 year old talks politics trump biden vote kids what are they teaching him in school,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1640,10/30/2020,when i think of latinosfortrump i can\xe2\x80\x99t help but to think of people who made it here &amp; somehow have forgotten about those left behind those in cages separated from their parents &amp; those trump deemed as rapists &amp; criminals just because they too want a better life votehimout,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1641,10/30/2020,when judicial intervention &amp; political pressure eventually resulted in the end of the formal policy the trump administration was not prepared to reunite separated parents and children. the record-keeping was shameful. 10/,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1642,10/30/2020,white house claims victory over the pandemic as u.s. records 500000 new cases this week - \xe2\x81\xa6fairwarningnews\xe2\x81\xa9 coronavirus covid19 coronavirusupdates trump unfittobepresident voteforourlives,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1643,10/30/2020,white house coronavirus adviser dr birx boycotting covid task force over misinformation..trump..gop..covid19,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1644,10/30/2020,whitehouse communications director on trump's key moments taxcuts deregulation covid19 operationwarpspeed amyconeybarrettscotus judges middleeast israel uae bahrain sudan... election2020  via virginia_allen5 dailysignal,United States of America,Ohio,OH,Donald Trump,2,0\r\n1645,10/30/2020,who is better 2020elections donaldtrump joebiden uselection2020,United States of America,California,CA,Donald Trump,0,-0.1\r\n1646,10/30/2020,who not voting for trump  \xf0\x9f\xa5\xb4,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n1647,10/30/2020,who\xe2\x80\x99s going to win the election election2020 trump biden electionday electionpoll,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n1648,10/30/2020,why don\xe2\x80\x99t people want to have a great economy strong military and better education trump,United States of America,Louisiana,LA,Donald Trump,0,-0.6\r\n1649,10/30/2020,wisconsin republican party loses more than $2.5 million in bec cyberattack.  trump election2020 phishing cybercrime,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n1650,10/30/2020,with less than a week to go for the election2020 a look at which countries in asia have the highest support for donaldtrump. as much as china and russia get featured in discourse it's the country that is sandwiched between them that is polling high for trump. mongolia,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n1651,10/30/2020,woman just stopped a best buy worker who was helping me to ask where the trump rally was being held. i don\xe2\x80\x99t think you\xe2\x80\x99re getting in ma\xe2\x80\x99am. \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 rochmn,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1652,10/30/2020,wonderful tiktok_us vid of john_fogerty with intro from his granddaughter taking on draft-dodger trump with fortunate son.,United States of America,New York,NY,Donald Trump,1,0.9\r\n1653,10/30/2020,wondering how a second trump run would impact the futures markets \xf0\x9f\x93\x88 find out in our latest blog post,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n1654,10/30/2020,wtf is donald trump doing up tweeting brietbartnews propaganda at 227am eastern someone is losing sleep its not joe biden. trumpislosing,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n1655,10/30/2020,y'all remember when whoopigoldberg  said she was gonna move to canada if donaldtrump  was elected as president lmao. trump2020 trump2020landslide maga2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1656,10/30/2020,you a damn fool you vote for this old stuttering f boy \xf0\x9f\x98\x92.. i'm a national i don't vote but hear me clear i don't give a damn about friends trump will win trump needs to win facts  trump2020,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n1657,10/30/2020,yup...i have already done comparisons...this is not melania...a very good look a like...trump is a sick fuck...so where is melania...she doesn't cuddle up to trump like this one does...50lbs lighter as well,United States of America,Colorado,CO,Donald Trump,0,-0.6\r\n1658,10/30/2020,\xc2\xbfqu\xc3\xa9 piensan realmente los latinos acerca de trump de cara a las elecciones esto es lo que dicen las \xc3\xbaltimas encuestas-  destino2020 votaconmigo elections elecciones polls encuestas latinos trump donaldtrump,United States of America,California,CA,Donald Trump,0,-0.1\r\n1659,10/30/2020,\xe2\x80\x98there is no way to overestimate their gall\xe2\x80\x99 insiders reveal how \xe2\x80\x98megalomaniac\xe2\x80\x99 ivanka and jared will still win if trump loses..trump..gop,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1660,10/30/2020,\xe2\x80\x9cthe united states began exporting liquified natural gas lng just four short years ago. in the space of time we have become one of the top three exporters of natural gas in the world.\xc2\xa0\xe2\x80\x9d  trump lng exports doe shale shalemag,United States of America,Texas,TX,Donald Trump,1,0.2\r\n1661,10/30/2020,\xe2\x80\x9c\xe2\x80\xa6including the jobs lost since covid19 hit the us actually has 3.9m fewer jobs than when realdonaldtrump took office. moreover during trump\xe2\x80\x99s 1st 3yrs ohio added only 36% as many jobs as during barackobama\xe2\x80\x99s last 3yrs\xe2\x80\xa6\xe2\x80\x9d,United States of America,Oregon,OR,Donald Trump,0,-0.5\r\n1662,10/30/2020,\xe2\x80\xbc\xef\xb8\x8fdropping election truth bombs with bobby sausalito | dannyblive clips  via youtube bobbysausalito dannybatsalkin bobbysausalito truthbombs politics election2020 trump biden donaldtrump think criticalthinking,United States of America,California,CA,Donald Trump,0,-0.7\r\n1663,10/30/2020,\xf0\x9f\x98\xb2\xf0\x9f\x98\xb2 idk who's going to win but i continue to get blown away each day endorsements like this plus everything i'm seeing on the ground tells me the media &amp; polls are wrong again elections2020 election2020 biden trump,United States of America,Oregon,OR,Donald Trump,0,-0.1\r\n1664,10/31/2020,trump bidenharris2020 election2020 electionday wakeupamerica,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1665,10/31/2020,trump georgeschultz foreignpolicy nationalsecurity,United States of America,New York,NY,Donald Trump,1,0.1\r\n1666,10/31/2020,trump obama joebiden trumplandslidevictory2020,United States of America,New York,NY,Donald Trump,2,0\r\n1667,10/31/2020,'death poverty depression explosions plummets' good thing when it comes to the truth about covid19 he doesn't wanna panic us... trump coronavirus,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1668,10/31/2020,'they were all dead before they knew what happened' u.s. citizen 27 kidnapped in niger is rescued by sealteamsix in dramatic raid that left six of his captors dead after they demanded $1m ransom - as trump calls it a 'big win'  via mailonline,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1669,10/31/2020,... and probably led to more than 700 deaths among attendees and others infected by them. and this analysis doesn't include october. trump is a criminal. votehimout votethemallout votebidenharris2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n1670,10/31/2020,.barbmcquade we saw michigan go to trump in 2016 by less than 11k... the strategy is the same... suppress the vote in detroit in hopes it will get trump over the edge. we've seen tons of robocalls targeting detroit voters saying info will be used to arrest people... amjoy,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1671,10/31/2020,1-trump\xe2\x80\x99s growth in support among minorities destroys racism narrative\xe2\x80\x94\xe2\x80\x9cover the course of his 1st termpresident trump has consistently embraced &amp; implemented policies designed 2 uplift &amp; empower americans who had previously been forgotten by the...,United States of America,North Carolina,NC,Donald Trump,0,-0.5\r\n1672,10/31/2020,100 million doses promised by tomorrow. another 300million doses by january. bullshit the plan was/is/and always will be to culltheherd and killtheelders. i'm 73. trump wants my socialsecurity benefits. losttrumphistoryoct30 losttrumphistory,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n1673,10/31/2020,11/1/2020- trick or treat election2020 2020election presidentialelection trump biden donaldtrump joebiden trumppence bidenharris,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1674,10/31/2020,2 rallies on fb live.  trump has 500 viewers. biden has 1200.  if eyeballs = vote we're good.,United States of America,New York,NY,Donald Trump,2,0\r\n1675,10/31/2020,230k americans dead realdonaldtrump whitehouse senatemajldr lindseygrahamsc senatorcollins senmcsallyaz senjoniernst sencorygardner johncornyn senthomtillis senategop housegop gop coronavirus covid19 trump trump2020 vote4 joebiden senatedems housedemocrats,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1676,10/31/2020,3. evangelicals trump i am terrified of another four year. biden is not perfect but he will set us on the right course. he believes in the science. how many times have you gone to the doctor and felt relieved that she/he was able to heal you more,United States of America,Connecticut,CT,Donald Trump,1,0.2\r\n1677,10/31/2020,50cent has something to say about lil wayne's donaldtrump endorsement,United States of America,Florida,FL,Donald Trump,1,0.2\r\n1678,10/31/2020,50cent should be more like 5 cent. first you support trump and then you \xe2\x80\x9cchange your mind\xe2\x80\x9d because a twat offers you the possibility of some tail. wow. i feel sorry for you that you are actually that easily swayed. hopefully liltunechi is on board and has common sense. maga,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1679,10/31/2020,700 people are dead because trump2020 trump continued to hold rallies against the advices of scientists and doctors.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1680,10/31/2020,74. commies in suits - kissinger &amp; roger stone - shadow gate ii rats in the ranks part 2 of 4 trump,United States of America,New York,NY,Donald Trump,2,0\r\n1681,10/31/2020,89000 covid cases in 1 day let\xe2\x80\x99s fire trump and get this pandemic under control. vote,United States of America,Illinois,IL,Donald Trump,1,0.5\r\n1682,10/31/2020,89wunderlust those thinking of running in 2024 will.  marcorubio will act like he never knew who trump was.,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1683,10/31/2020,9 million cases if people are fed up with hearing about herdimmunity then you should make a point to vote trump out - we are headed for his nonscientific goal,United States of America,California,CA,Donald Trump,0,-0.5\r\n1684,10/31/2020,a clear case of murder that trump has instituted against his supporters. wake up trump fans and see that this man has ruined your lives. he only cares about himself. elections2020 elections bidenharris trump2020,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1685,10/31/2020,a president that works \xf0\x9f\x99\x8c\xf0\x9f\x99\x8c trump,United States of America,Illinois,IL,Donald Trump,2,0\r\n1686,10/31/2020,abigailmarone trump parades are performance art for the trumpcult expressions of their hatred and ignorance offered to world to mark themselves as willing participants in the degradation of democracy and human dignity.,United States of America,Missouri,MO,Donald Trump,0,-0.7\r\n1687,10/31/2020,absolutely sickening trump's america is a hateful place,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1688,10/31/2020,according to minnesota health officials 3 positive covid cases at a trump rally is an outbreak but 62 positive cases m reported during the 3 week george floyd riots is not an outbreak... are you awake yet,United States of America,California,CA,Donald Trump,0,-0.2\r\n1689,10/31/2020,acosta and trump was pissed. \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1690,10/31/2020,acosta cnn did trump hire a fake melania trump fakemelania,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n1691,10/31/2020,acosta stay safe this halloween. we will be playing the old fashioned carnival game of \xe2\x80\x9cgo fish\xe2\x80\x9d with one neighbor in our backyard. swamp style. trump halloweenathome coronavirus,United States of America,Washington,WA,Donald Trump,1,0.1\r\n1692,10/31/2020,actions speak volumes trump biden trump2020tosaveamerica redwave,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1693,10/31/2020,after voting all republican i took my trump2020 at the poll location and waved proudly with honor for our president trump and our country keepamericagreat realdonaldtrump americafirst 4moreyears maga trump trump2020landslide trump2020,United States of America,Florida,FL,Donald Trump,2,0\r\n1694,10/31/2020,alexsalvinews cnn easily add 10% pts to trump it\xe2\x80\x99s going to be a trumplandslidevictory2020 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x99\x8f\xf0\x9f\x8f\xbb\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Florida,FL,Donald Trump,2,0\r\n1695,10/31/2020,americasgreatestmistake is trump trumpisanationaldisgrace,United States of America,California,CA,Donald Trump,2,0\r\n1696,10/31/2020,any time a trump hater wraps some lame point in the empty reference of \xe2\x80\x9cthe republicans i\xe2\x80\x99ve spoken to\xe2\x80\x9d please remember that these people tend to hang out with crappy republicans.,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1697,10/31/2020,applefm rachellealex521 lucasfoxnews umm...here's the ap report and donaldtrump has tweeted about it so expect it will be theme to the saturday election2020 rallies,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1698,10/31/2020,as someone who worked in the trump admin to help improve the lives of americans &amp; witnessed many others there doing the same this flawed claim by paulkrugman is repugnant like most of his other tweets. realdonaldtrump mike_pence ombpress whitehousecea russvought45,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n1699,10/31/2020,as tuesday approaches remember you only get to vote for socialism once.  im not drinking that poison; freedom is a gift i intend on keeping. maga2020 trump realdonaldtrump vote2020,United States of America,California,CA,Donald Trump,2,0\r\n1700,10/31/2020,asharangappa_ this may depict trump looking in the mirror...but it\xe2\x80\x99s what you me  and everyone is looking at if joe and kamala don\xe2\x80\x99t get a landslide victory. bidenharristosaveamerica,United States of America,Nevada,NV,Donald Trump,2,0\r\n1701,10/31/2020,atomicanalyst chrislhayes i am a dem who voted green in 2000. today i learned that joebiden threatened countries that would have given shelter to edward snowden who showed true patriotism in light of us crimes. i won\xe2\x80\x99t vote for trump but how can i \xf0\x9f\x97\xb3for biden knowing thissnowden ggreenwald,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1702,10/31/2020,azcentral latinos for trump sheriff joe arpaio .... how could anyone pardon this sick racist man... trump failed latinos \xf0\x9f\x92\xa5a vote for trump is a vote for arpaio\xf0\x9f\x92\xa5arizona,United States of America,Arizona,AZ,Donald Trump,0,-0.7\r\n1703,10/31/2020,beyond deplorable trump is a despicable.,United States of America,Ohio,OH,Donald Trump,0,-0.8\r\n1704,10/31/2020,biden hunter 2020election trump redwave,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1705,10/31/2020,biden joebiden lockdownsmakeitworse lockdown democrats democrat changeyourvote walkaway walkawayfromdemocrats democratshateamerica democratsfortrump bidenlies bidenliesmatter backtheblue bluelivesmatter maga trump trump2020 lilwayne democratsareracists,United States of America,Arizona,AZ,Donald Trump,0,-0.2\r\n1706,10/31/2020,biden or trump,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n1707,10/31/2020,biden said no but trump was illegally willing to dismiss charges against a turkish bank .....and fired two u.s. attorneys who refused to do the dirty work,United States of America,California,CA,Donald Trump,0,-0.7\r\n1708,10/31/2020,billcassidy dr. cassidy do you believe physicians are using covid19 diagnoses to make a profit as trump claims,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n1709,10/31/2020,blakehounshell well trump doesn't do any work so he needs something to do to get his feels. trumpisnotamerica trumpisaloser trumpisunfitforoffice,United States of America,Texas,TX,Donald Trump,2,0\r\n1710,10/31/2020,bluewave2020 bidenharristosaveamerica 2020election election2020 flipthesenate battlegroundstate bidenharristoendthisnightmare donaldtrump joebidenkamalaharris2020 christiansagainsttrump endthechaos blacklivesmatter republicansforbiden,United States of America,California,CA,Donald Trump,1,0.4\r\n1711,10/31/2020,but still no real acknowledgement of those who have died and continue to die because of trump's willful disregard of the covid pandemic,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n1712,10/31/2020,by having rally\xe2\x80\x99s and spreading covid19 trump trumpvirus,United States of America,California,CA,Donald Trump,2,0\r\n1713,10/31/2020,bytheem for intelligent constitution-loving americans voting blue would be sick trump supporter in florida 4moreyears,United States of America,Florida,FL,Donald Trump,1,0.1\r\n1714,10/31/2020,cachick1111 your profile says nave vet.  trump says anyone who dies in a war is a sucker and loser.  how can you support someone like that,United States of America,Missouri,MO,Donald Trump,0,-0.6\r\n1715,10/31/2020,can the trump \xe2\x81\xa6gop\xe2\x81\xa9 get any \xe2\x80\x9cswampier\xe2\x80\x9d billionaire casino boss adelson splashes the cash in bid to help the flailing trumpcampaign \xe2\x81\xa6senthomtillis\xe2\x81\xa9 \xe2\x81\xa6senatorburr\xe2\x81\xa9 \xe2\x81\xa6reptedbudd\xe2\x81\xa9 \xe2\x81\xa6virginiafoxx\xe2\x81\xa9 \xe2\x81\xa6ltgovdanforest\xe2\x81\xa9,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n1716,10/31/2020,cathycrabbe1 trump followers are bots,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n1717,10/31/2020,cbsnews sounds like obama is bummed by the meager crowds he is drawing. another thing if trump gets a noble prize he would have earned it.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1718,10/31/2020,cenkuygur facebookwatch the rat's left the ship  ny state going indict his family members trump tax fraud real fraud   $200 million in owed taxes  nov 4th it's going down,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1719,10/31/2020,check this bobby orr backing president trump,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n1720,10/31/2020,cheersboston \xe2\x80\x9cwhere everybody knows your name\xe2\x80\x9d. 4 more years of trump forget about it,United States of America,Massachusetts,MA,Donald Trump,1,0.1\r\n1721,10/31/2020,chelseahandler walkaway blexit trump blacksfortrump democrats halloween vote electionday,United States of America,California,CA,Donald Trump,1,0.3\r\n1722,10/31/2020,chicago chicago...that trump-hatin' town.....,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n1723,10/31/2020,cnn bbcnews reuters newyorktimes abcnews azerbaijaniaggression guardian trump,United States of America,Hawaii,HI,Donald Trump,2,0\r\n1724,10/31/2020,cnn msnbc foxnews oann america respected internationally under trump. yeah right. go vote people.  freaking national embarrassment.rvat2020 vetsagainsttrump wtfjht coreyrforrester brentterhune,United States of America,Florida,FL,Donald Trump,2,0\r\n1725,10/31/2020,commie aoc criticizes 'racist visionary' trump and 'these motherf**kers' who won't embrace biggovernment programs,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n1726,10/31/2020,congrats to texas govgregabbott for finally getting us over the line to uncontrolled spread of covid19. he\xe2\x80\x99s been working at it diligently for months now. maybe if we want to trend in the other direction we could try science - listen to fauci instead of trump. pandemic,United States of America,Texas,TX,Donald Trump,1,0.3\r\n1727,10/31/2020,cool mask you don\xe2\x80\x99t wear it in trump country do you following you now. thx for joining the resistance against the trumphoaxpresidency2016topresent. votejoebyedon2020,United States of America,Illinois,IL,Donald Trump,1,0.6\r\n1728,10/31/2020,countryoverparty trump trumpisunfitforoffice votebluetoendthenightmare,United States of America,New Jersey,NJ,Donald Trump,2,0\r\n1729,10/31/2020,courtesy dejoy and trump. usps,United States of America,California,CA,Donald Trump,1,0.3\r\n1730,10/31/2020,covid19 coronavirus pandemic trump,United States of America,California,CA,Donald Trump,2,0\r\n1731,10/31/2020,covid19 coronavirus trump,United States of America,California,CA,Donald Trump,2,0\r\n1732,10/31/2020,crowd gathered for first lady melania trump to speak during a campaign stop at kingsheart farm in west bend.,United States of America,Wisconsin,WI,Donald Trump,0,-0.2\r\n1733,10/31/2020,cybercrusader45 ilhanmn and that\xe2\x80\x99s why i voted for trump,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1734,10/31/2020,davidcorndc their secret weapon. in other words we\xe2\x80\x99ll exploit her name so we can push the racism angle this waste of skin is disgusting. trump trumpsdeadlysins toobigtorig,United States of America,Puerto Rico,PR,Donald Trump,0,-0.1\r\n1735,10/31/2020,day 1452 fuck trump,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n1736,10/31/2020,death depression disunity this appears to be donaldtrump's closing argument. 100k covid cases yesterday almost 1000 covid19 deaths. bidenharris2020 votebluetosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1737,10/31/2020,debunking the false claim that covid death counts are inflated - scientific american.  trump dangerous lying criminal \xf0\x9f\xa4\xac\xf0\x9f\xa4\xac\xf0\x9f\xa4\xac,United States of America,Idaho,ID,Donald Trump,0,-0.7\r\n1738,10/31/2020,devos and trump steal from americans to fund their play palaces and devious lifestyles.,United States of America,North Carolina,NC,Donald Trump,0,-0.3\r\n1739,10/31/2020,did you voteearly or will you vote on electionday trump biden |,United States of America,Nevada,NV,Donald Trump,2,0\r\n1740,10/31/2020,do they know something that we don't  like what will happen if trump is re-elected  votegop,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n1741,10/31/2020,does that make trump a snowman now,United States of America,North Carolina,NC,Donald Trump,2,0\r\n1742,10/31/2020,don't believe the polls \xe2\x80\x94 trump is winning thehill,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1743,10/31/2020,donaldjtrumpjr daddy pls win 4 more years else we ivankatrump  erictrump jaredkushner and family cant bludge tax payer money any more and will have to resort to trump enterprises ill gotten gains to help us fend for ourselves. yours  junior,United States of America,Missouri,MO,Donald Trump,0,-0.3\r\n1744,10/31/2020,donaldjtrumpjr we can do better. trump maskup,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n1745,10/31/2020,donaldtrump greets throngs of fans outside minnesota rally after state allows just 250 seats  via nypost election2020,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n1746,10/31/2020,donaldtrump once again wingingit when it comes to how an election works in the usa.  clueless,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n1747,10/31/2020,donaldtrump's team called on slew of stars for upbeat pandemic psa \xe2\x80\x94 with little to no response,United States of America,California,CA,Donald Trump,0,-0.5\r\n1748,10/31/2020,donlemon do you really need to keep inviting this hideous woman on your show cnn. she\xe2\x80\x99s shilling for donaldtrump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1749,10/31/2020,donwinslow americasgreatestmistake trump,United States of America,California,CA,Donald Trump,2,0\r\n1750,10/31/2020,drdavidsamadi it\xe2\x80\x99s racism &amp; ageism trump planned herdimmunity needing ~60%+ infected. mortality rates for poc is +1.5x for whites &amp; 75% for 65+. \xe2\x80\x9csocial murder\xe2\x80\x9d means those with power make others meet a too-early &amp; unnatural death for economic or political purposes. who suffers here,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n1751,10/31/2020,due to a \xe2\x80\x9c technical flaw\xe2\x80\x9d facebook blocked new ads from the bidenharris2020 campaign but allowed new ads from trump. just like we need new leadership in the white house it\xe2\x80\x99s probably time facebook cleans house as well. suckerberg,United States of America,New York,NY,Donald Trump,2,0\r\n1752,10/31/2020,economic comeback under president donald trump breaks 70-year record clarksville clarksvilletn montgomerycounty nashville tennessee gdp economy news uspresident donaldtrump covid-19 coronavirus,United States of America,Tennessee,TN,Donald Trump,2,0\r\n1753,10/31/2020,election day is almost here \xf0\x9f\x97\xb3 who do you think will win on november 3 2020 joebiden donaldtrump jojorgensen other election2020 electionday,United States of America,California,CA,Donald Trump,2,0\r\n1754,10/31/2020,election2020 - how next-door neighbors with opposing political views stayed friends  biden trump  hipechik stl_blonde electionday,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1755,10/31/2020,ericbolling realdonaldtrump pretty reasonable prediction. hopefully trump can pad that ec vote with wisconsin at least. pa might surprise too depending on how you see it playing out.  get out and vote,United States of America,Virginia,VA,Donald Trump,2,0\r\n1756,10/31/2020,ericcervini trump2020 trump winning,United States of America,Illinois,IL,Donald Trump,2,0\r\n1757,10/31/2020,erickrakauer hope not. it would be wonderful if the democrats flipped texas and that pushed trump out. huge voter turnout this year. let\xe2\x80\x99s hope it\xe2\x80\x99s because of democrats.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1758,10/31/2020,erictrump we can do better. trump covid19 healthcare maskup,United States of America,Washington,WA,Donald Trump,0,-0.2\r\n1759,10/31/2020,ey trump is destroying the political discourse. keep on trucking trump.,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n1760,10/31/2020,fake melania donaldtrump trump realdonaldtrump,United States of America,California,CA,Donald Trump,0,-0.8\r\n1761,10/31/2020,faltan  dias para la eleccion2020 trump vs biden todo el analisis por la radio 920 am votolatino,United States of America,Texas,TX,Donald Trump,2,0\r\n1762,10/31/2020,fear despair and unfortunately politics is driving people from facing reality.  the only thing donaldtrump fears is losing his precious election.,United States of America,California,CA,Donald Trump,0,-0.6\r\n1763,10/31/2020,finally \xf0\x9f\x91\x8f trump2020landslide trump,United States of America,California,CA,Donald Trump,1,0.5\r\n1764,10/31/2020,five reagan white house lawyers endorse biden saying trump has \xe2\x80\x98fomented hatred\xe2\x80\x99 - \xe2\x81\xa6jameshohmann\xe2\x81\xa9 reagan presidentreagan ronaldreagan \xe2\x81\xa6rvat2020\xe2\x81\xa9 \xe2\x81\xa6joebiden\xe2\x81\xa9 bidenharris2020 votebidenharris2020 trump unfittobepresident,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1765,10/31/2020,follow the leader potus \xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbc\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f maskmandate votehimout donaldtrump daddysboy,United States of America,North Carolina,NC,Donald Trump,2,0\r\n1766,10/31/2020,for some understanding why trump's supporters still like him is a conundrum. in an op-ed professor of business law craig barkacs and professor of management rangapriya kannan cite behavioral integrity as one of the reasons  usdbiz,United States of America,California,CA,Donald Trump,0,-0.8\r\n1767,10/31/2020,former pres. barackobama scoffed at pres. trump for storming out of lesleystahl's 60 minutes. so what how about scoffing at obama for his nsa global masssurveillance on american &amp; foreign citizens as revealed by edwardsnowden\xe2\x80\x94obama even tapped angelamerkel's phone \xf0\x9f\x95\xb5\xef\xb8\x8f\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,California,CA,Donald Trump,0,-0.1\r\n1768,10/31/2020,foxnews atrocity of the day trump has expelled &gt;200 unaccompanied kids originally from guatemala honduras&amp;el salvador to mexico where they have no families. mexico had agreed to take only mexican kids. djt claims covid. but it\xe2\x80\x99s the result of evil+blinded by greed for power,United States of America,North Carolina,NC,Donald Trump,0,-0.5\r\n1769,10/31/2020,france on high alert thousands of troops deployed us boarding up  via youtube france us covid19 covid riots trump november halloween2020 halloween happyhalloween,United States of America,Florida,FL,Donald Trump,2,0\r\n1770,10/31/2020,fuck donald trump fdt trump trumpispathetic,United States of America,California,CA,Donald Trump,0,-0.8\r\n1771,10/31/2020,fucking graham...projecting like trump...these two guys are beyond fucked up.,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n1772,10/31/2020,funder silence trump with your vote,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n1773,10/31/2020,gawd i love trump never been more proud to watch fellow patriots follow the biden bus turn out to vote in numbers and like realdonaldtrump said we keep winning i love this country and love this potus  trumplandslidevictory2020 bestpresidentever45 4moreyears kag2020,United States of America,Florida,FL,Donald Trump,1,0.9\r\n1774,10/31/2020,georgetakei this is sickening. i\xe2\x80\x99ll bet trump doesn\xe2\x80\x99t slobber/kiss/grab on flotus like this fakemelania,United States of America,California,CA,Donald Trump,0,-0.7\r\n1775,10/31/2020,get out and vote vote vote vote vote vote vote vote vote vote vote vote vote vote vote vote vote trump 2020.don\xe2\x80\x99t let them ruin this country.  vote red  trump trump2020,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n1776,10/31/2020,get ready to watch them all fall 1 by 1. godwins redwave2020 it\xe2\x80\x99s going to be a landslide victory and with a landslide things get washed away trump is gods servant just watch,United States of America,Nevada,NV,Donald Trump,1,0.3\r\n1777,10/31/2020,glenngreenwald says mainstream media is 'desperate to see' trump lose. when a journalist quits \xe2\x81\xa6theintercept\xe2\x81\xa9 a publication he founded because he feels the editors are covering up hunterbiden case to help biden win attention must be paid.,United States of America,California,CA,Donald Trump,0,-0.3\r\n1778,10/31/2020,go vote ppl  fkk donaldtrump,United States of America,California,CA,Donald Trump,1,0.1\r\n1779,10/31/2020,gonainsider i actually thought this was a trump commercial for bit.,United States of America,Minnesota,MN,Donald Trump,0,-0.4\r\n1780,10/31/2020,gop trump trying to supress  votes in pennsylvania  via huffpostpol,United States of America,California,CA,Donald Trump,0,-0.5\r\n1781,10/31/2020,halloween2020 halloween nyc trump,United States of America,New York,NY,Donald Trump,1,0.5\r\n1782,10/31/2020,happy halloween everyone. in honor of the holiday here are 33 stories about the most terrifying monster in the world donaldtrump. saturdaythoughts saturdaymorning saturdayvibes saturdaymood saturdaymotivation,United States of America,New York,NY,Donald Trump,1,0.3\r\n1783,10/31/2020,hasn\xe2\x80\x99t even started yet. beverlyhills trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n1784,10/31/2020,here in new mexico you can be ticketed by police if our trick or treating. simply say you\xe2\x80\x99re protesting and you\xe2\x80\x99ll be fine. the level of control the left wants is insane. only a few days left to wake up america. democrats corruptjoebiden bidenharris2020tosaveamerica trump,United States of America,New Mexico,NM,Donald Trump,0,-0.2\r\n1785,10/31/2020,here in oregon they aren\xe2\x80\x99t that low but definitely not as high as they were under barackobama. under realdonaldtrump our gas prices dropped. vote trump,United States of America,Oregon,OR,Donald Trump,2,0\r\n1786,10/31/2020,herebeproof natashajahnse lynnesandgate atatimelikethis cocoonedpenguin kimsj jneill doctorrobin tfoale therynheart hil67 stonesister7 kean1s jcm247 helenyg eyejosh brexitbin sandradunn1955 panda_chronicle susanchubb1 agreed. extraordinary measures and contingency plans must weigh the precedents set for future presidents against the damage and destruction trump\xe2\x80\x99s inflicting on the american people today. it\xe2\x80\x99s not even a moral or ethical question anymore; it\xe2\x80\x99s about survival now....,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1787,10/31/2020,hey christians i don\xe2\x80\x99t think trump goes along with what\xe2\x80\x99s in this bible. like not even a little bit. democracyhasitseyesonyou vote bidenharris2020,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n1788,10/31/2020,hey cubanamericans trump isn't your bff. he threw his  father handicapped nephew under the bus his chief life mentor the infamous roycohn dying of aids and begging trump to see him which don didn't do--nah he doesn't love brown- some of you african- cuban immigrants,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n1789,10/31/2020,hey look i was surprised to see a trump parade in cali yeshua_pro_vida,United States of America,California,CA,Donald Trump,1,0.2\r\n1790,10/31/2020,hey realdonaldtrump you better get your suck on  when you move to russia &amp; see your master putin again.\xf0\x9f\x8d\x86\xf0\x9f\x92\x8b\xf0\x9f\x98\xb2 trump traitorinchief brunoswahine gop,United States of America,California,CA,Donald Trump,0,-0.7\r\n1791,10/31/2020,he\xe2\x80\x99s. an. awful. human. being.  trump trumpisaloser trumpcrimefamily trumpkillsamericans trumpisalaughingstock,United States of America,California,CA,Donald Trump,0,-0.1\r\n1792,10/31/2020,hi trump voters convince me you\xe2\x80\x99re not racist 123.... go fucktrump,United States of America,Nevada,NV,Donald Trump,0,-0.7\r\n1793,10/31/2020,highest number of cases in any country in the world for one day. covid19 yesterday. and trump is literally spreading it himself. pence too and the florida and texas governors. votethemallout,United States of America,California,CA,Donald Trump,0,-0.1\r\n1794,10/31/2020,how can he abandon our military like this  trump truly believes they are losers and suckers,United States of America,Pennsylvania,PA,Donald Trump,0,-0.9\r\n1795,10/31/2020,how can these 2 stand there lying to the ppl of flintmichigan after the flintwatercrisis that happened on their watch &amp; still expect votes their hypocrisy knows no bounds. trump will always have their backs. lyingjoebiden,United States of America,California,CA,Donald Trump,2,0\r\n1796,10/31/2020,howard twins as potus and vp  for halloween. maga maga2020 trump2020 trump trumppence2020 election2020  donaldtrump pence,United States of America,Indiana,IN,Donald Trump,1,0.1\r\n1797,10/31/2020,i can live with honking. the constant lies at a trump or pence rally are what i find so entirely annoying. can you get them to stop please. you need a better candidate. votebidenharris2020 trumpdoesnotcareaboutyou,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1798,10/31/2020,i do not argue with trump supporters period. i'll rephrase that actually i do not argue with trump supporters exclamation point trumpdoesntcare trumpviolence trumpriots trumpdeathtoll230k trumpisaloser bidenharris bidenharris2020 bidenharristosaveamerica,United States of America,Alabama,AL,Donald Trump,0,-0.7\r\n1799,10/31/2020,i don\xe2\x80\x99t really care for biden nor trump. i\xe2\x80\x99m just worried about what the left is gonna do if trump wins \xf0\x9f\x98\xb3,United States of America,California,CA,Donald Trump,0,-0.6\r\n1800,10/31/2020,i feel trump will be victorious in minnesota. the countryside of the state is heavily pro trump and the top democrats are in panic minnesota trump cottogottfried,United States of America,Minnesota,MN,Donald Trump,0,-0.1\r\n1801,10/31/2020,i find it very interesting that people including blindspots say i sound like trump because i said shutting down is not the answer. look what it did to a lot of people in america. a lot of places closed down because not all businesses qualified for the paycheck protection.,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n1802,10/31/2020,i hope buckscounty pa is smarter than these lies and illusions being fabricated by trump right now... failedleadership,United States of America,California,CA,Donald Trump,0,-0.8\r\n1803,10/31/2020,i totally agree. i think he will pull a snowden and that the $ they diverted from campaign donations is being set up offshore to finance his new life. thankfully his disinterest in intelligence briefings might give him less to tell putin trump,United States of America,California,CA,Donald Trump,2,0\r\n1804,10/31/2020,i voted early for trump. i suggest you do the same.,United States of America,Illinois,IL,Donald Trump,2,0\r\n1805,10/31/2020,i wish trump didn't have to work so hard to get re-elected. he deserves fourmoreyears but the left loons and their lap-dog media clowns won't let-up. get out and vote for realdonaldtrump all you patriots make all this worth his while and help him to kag2020 \xf0\x9f\xa5\xb0\xf0\x9f\x91\x8d\xf0\x9f\x91\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1806,10/31/2020,i'm in pa. we are experiencing our highest covid numbers almost 3k per day trump is holding four superspreader events here today. this violates the states gathering limit on events. he's refusing to listen to governortomwolf. he couldn't give a \xf0\x9f\x92\xa9 about anyone getting sick,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1807,10/31/2020,i'm looking for a trump supporter and a biden supporter to guest host a live election special this tuesday at 8pm mountain time / 10pm est,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1808,10/31/2020,i'm only here to entertain you the rest is history...  you only live once..... shoot ... donaldtrump is living proof no matter how many haters he got \xf0\x9f\x98\xb3  he remains humble  as fuck shit \xf0\x9f\x98\x92  man listen you tell me i'm ugly imgoingtocry i really don't know \xf0\x9f\x98\x95 trump do it,United States of America,Connecticut,CT,Donald Trump,0,-0.4\r\n1809,10/31/2020,i've been very careful of what i've been posting lately. because the election is just a few days away and i'd hate to be in jail when it all goes down. election2020 trump biden,United States of America,Michigan,MI,Donald Trump,0,-0.3\r\n1810,10/31/2020,idahohioan the canadian version of home alone 2 so i can see trump's greatest moment of his life cut.,United States of America,Illinois,IL,Donald Trump,1,0.6\r\n1811,10/31/2020,if ohio goes for bidenharris2020 that means pa mi and wi are definitely against trump. and ohio counts absentees election night so we can wrap this up quick. election2020   electionday,United States of America,Maryland,MD,Donald Trump,1,0.1\r\n1812,10/31/2020,if only there had been a miss congeniality iii starring sandra bullock in which fbi agent gracie hart infiltrated the miss universe pageant as part of an investigation of trump\xe2\x80\x99s tax evasion.,United States of America,Alaska,AK,Donald Trump,0,-0.3\r\n1813,10/31/2020,if the 3-month return prior to election day accurately forecasts the presidential election as it has done in 20/23 elections since 1928 then it all comes down to monday with a $spx return &gt;.04% signaling trump and anything less signaling a biden win.,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n1814,10/31/2020,if this video of kamala shows she isn\xe2\x80\x99t able to be the vice president let alone the president don\xe2\x80\x99t know what will. her plan is one already being done her delivery is terrible. terrible in the debate and has only had one significant plan that was shot down. trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1815,10/31/2020,if trump usurps power after elections &amp; deploys federal/state law enforcement against protesters members of police/security forces have a choice disobey illegal/illegitimate orders. here is how they can defend pro-democracy movement  jaketapper maddow,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n1816,10/31/2020,if you are voting for trump what the hell is wrong with you,United States of America,California,CA,Donald Trump,0,-0.9\r\n1817,10/31/2020,ingrahamangle democrats that want potus out actually l$ne the pockets of researchers &amp; poll takers to send americans fake views of the current stateoftheunion trump needs to voice his stance/view of the union before november 3rd to show votersuppression where he actually stands news,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1818,10/31/2020,ingrahamangle his running mate was covering your mule at the trump rally..,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n1819,10/31/2020,international real estate developer &amp; self made cuban american billionaire  jorgeperez on why he\xe2\x80\x99s not voting for donaldtrump thread \xe2\xac\x87\xef\xb8\x8f\xe2\xac\x87\xef\xb8\x8f,United States of America,California,CA,Donald Trump,0,-0.7\r\n1820,10/31/2020,is it a point of pride to be ignorant and stupid it\xe2\x80\x99s obviously a requirement to support realdonaldtrump. trump conservatives idiotinchief trumpisunfitforoffice trumpsupporters morons moroninchief,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1821,10/31/2020,is it acceptable to make fun of melania's speech how long has she been in us she has trouble with many words in her speech sounds like she's reading for 1st time. she just said america will be prespirous for prosperous. trump probably is perspiring heavily about now tho,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1822,10/31/2020,is trump now blaming amermedicalassn members and not the chinese maybe that is progress for him,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n1823,10/31/2020,it wasn't enough that trump horrifically mishandled the covid pandemic no he had to go out of his way to continue the spread. i will simply never understand how anyone could vote for him.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1824,10/31/2020,it's a terrible despicable deplorable thing that donaldtrump has done to the usa and its people.  on tuesday we takebackourcountry  dumptrump restoresanity restoredecency lockhimup  stopthelies startthehealing combatcovid,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1825,10/31/2020,it's called transition fossil to sustainable non-carbon based energy ...doesn't trump sound depressed with that downward lilt in his speeches,United States of America,California,CA,Donald Trump,0,-0.3\r\n1826,10/31/2020,i\xe2\x80\x99m voting for biden but when will he ever speak this kind of truth to power. your move joe   irs oh how much did trump pay  $750  $79m refund,United States of America,California,CA,Donald Trump,0,-0.5\r\n1827,10/31/2020,i\xe2\x80\x99m willing to bet the unofficial republican drop boxes in california are part of a ploy to discredit california\xe2\x80\x99s results. knowing they won\xe2\x80\x99t win ca they may leave republican ballots in a public dumpster or lake to be found so they can claim democrats threw out trump votes.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1828,10/31/2020,jackmaxey1 mailonline trump supporters shutting down santa monica boulevard in beverly hills today and the police are nowhere to be seen,United States of America,California,CA,Donald Trump,0,-0.7\r\n1829,10/31/2020,jaketapper scottjenningsky if donaldtrump gets a second term there will be no country left.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n1830,10/31/2020,jaredkushner is as deranged as trump scienceoverstupidity doctorsoverdonald,United States of America,Ohio,OH,Donald Trump,2,0\r\n1831,10/31/2020,jesus. covid19pandemic trump,United States of America,Indiana,IN,Donald Trump,1,0.1\r\n1832,10/31/2020,joe biden \xe2\x80\x9ci\xe2\x80\x99ll lead an effective strategy to mobilize truintlizaprecha\xe2\x80\x9d \xf0\x9f\x98\xaf trumplandslide trumplandslide2020 trumplandslidevictory2020 trump biden usa maga maga2020 corruptjoebiden americafirst fourmoreyears,United States of America,Kentucky,KY,Donald Trump,1,0.3\r\n1833,10/31/2020,joebiden  trump is just banging away with these rallies because he doesn't have the facts or the law on his side,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n1834,10/31/2020,joebiden kamalaharris florida trump latinos maga,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1835,10/31/2020,joebiden many of the 200000+ deaths could have been avoided.   our economy has been devastated because of trumpcovid trump doesn\xe2\x80\x99t believe in science thinks he\xe2\x80\x99s a brilliant scientist.  if we all listened to trump we would all be dead now.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1836,10/31/2020,joebiden worse yet trump has weaponized covid. get out and vote. elect joebiden so we can actually have leadership in wh that cares about the health and well-being of our communities and families.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n1837,10/31/2020,joenbc redistrict wow the more latinos and low education white males the coronavirus kills the more enthusiastic they become for trump. is that the take,United States of America,California,CA,Donald Trump,0,-0.4\r\n1838,10/31/2020,johnastoehr that most people have become immune to the corruption immorality and anti-democratic actions of the trump administration is so concerning to me. we must vote out donaldtrump america is will not survive another four years of this.,United States of America,California,CA,Donald Trump,0,-0.6\r\n1839,10/31/2020,judge says trump  can't ban tiktok.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n1840,10/31/2020,just_renear trump trumpnotfitforoffice resist biden2020 bidenharristosaveamerica trumpdoesntcare,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n1841,10/31/2020,kamalaharris donaldtrump keeps telling people after the election he will do such and so. has he kept his promises made in the 2016 campaign a bird in hand is worth two in the bush.,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n1842,10/31/2020,katyturnbc have you considered starting a \xe2\x80\x9csongs to vote to\xe2\x80\x9d segment on your show  if so i humbly submit my new song \xe2\x80\x9cface the fire\xe2\x80\x9d. - btw better title \xe2\x80\x9cphace the phire\xe2\x80\x9d ;  facethefire vote\xc2\xa0 govote biden trump election2020,United States of America,New York,NY,Donald Trump,2,0\r\n1843,10/31/2020,kloeffler collinsforga realdonaldtrump yes you have been standing with trump 225k dead ...86k new cases yesterday....15 million out of work.... racial division all time high... president that lies and commits crimes daily.... byedon,United States of America,Arizona,AZ,Donald Trump,0,-0.7\r\n1844,10/31/2020,kris_sacrebleu there\xe2\x80\x99s a very good chance that realdonaldtrump ...knowing he is going to lose...is purposely doing nothing so that the deaths and infections rise here in america and forces president joebiden to put us on lockdown thus proving donaldtrump campaign warnings to his followers,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n1845,10/31/2020,ladies first loomer trump keepamericagreat,United States of America,Florida,FL,Donald Trump,2,0\r\n1846,10/31/2020,lancet blasts trump's virus 'disaster' urges vote for change \xe2\x81\xa6thelancet\xe2\x81\xa9 sciencematters science covid19 coronavirus coronavirusupdates trump unfittobepresident voteblue \xe2\x81\xa6joebiden\xe2\x81\xa9 \xe2\x81\xa6kamalaharris\xe2\x81\xa9 votebidenharris2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1847,10/31/2020,last few days before an election that could be a huge turning point for our country hoping my boy djt brings it home \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x97\xbd trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1848,10/31/2020,last night white residents from around vancouver washington gathered to celebrate the death of a black man. waving flags and guns near the scene where kevin peterson jr. was murdered by police. whiteamerica trump,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n1849,10/31/2020,latinas und lations f\xc3\xbcr trump und biden. toller einblick aus florida von kollegin vivianemanz srftagesschau and welcome in the us.,United States of America,District of Columbia,DC,Donald Trump,1,0.5\r\n1850,10/31/2020,legislators lapped up trump's defense of repealed tax breaks for realestate in 1991. now records show how he benefited from restored depreciation deduction. the industry `thinks of the tax code as a basket of goodies to feast on' cre mortgage,United States of America,New York,NY,Donald Trump,2,0\r\n1851,10/31/2020,like the real trump it's almost lifelike.,United States of America,Missouri,MO,Donald Trump,1,0.6\r\n1852,10/31/2020,listen to dr. parks and dr. corbin federalisttoday discussing the case for not voting for joebiden or donaldtrump and the importance of character in evaluating candidates for office,United States of America,New York,NY,Donald Trump,2,0\r\n1853,10/31/2020,long in trump's shadow vice president mike pence set to emerge - reuters government trump political,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n1854,10/31/2020,look at the lanes...you\xe2\x80\x99ll start to develop what actually happened. biden bidenbus trump trumplandslidevictory2020 whereshunter,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n1855,10/31/2020,look at the trump supporter donaldtrump presidentialelection whoyouvotingfor  beverly hills california,United States of America,California,CA,Donald Trump,0,-0.1\r\n1856,10/31/2020,love wins. trump election2020,United States of America,Texas,TX,Donald Trump,1,0.4\r\n1857,10/31/2020,maga rallies in bucks county pennsylvania on saturday october 31st 2020 at 130 pm edt also in reading pa at 400 pm edt and in butler pa at 700 pm edt.  trump victory fourmoreyears union,United States of America,New Jersey,NJ,Donald Trump,2,0\r\n1858,10/31/2020,maher urges trump voters liberals to make peace after election 'let's skip the civil war',United States of America,California,CA,Donald Trump,0,-0.7\r\n1859,10/31/2020,many prayersarecontinuingtogoup nevertheless we all need to vote for change choose life over death choose joebiden over donaldtrump joebiden has a real plan to deal with the covid19pandemic trump has no plan at all votejoebidenandkamalaharris2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1860,10/31/2020,martheresister yes people only have themselves to blame for listening to trump believing trumplies and going to his rallies. pitiful.,United States of America,South Carolina,SC,Donald Trump,0,-0.8\r\n1861,10/31/2020,mcconnell and trump are the two shittiest people on the planet as far as i\xe2\x80\x99m concerned.  shitty trump mcconnell,United States of America,California,CA,Donald Trump,2,0\r\n1862,10/31/2020,medit8now trump is a pig - sorry to pigs everywhere,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n1863,10/31/2020,mel_faith1 elgrenchoviejo i see what you did there using trump &amp; escort in the same sentence brilliant.,United States of America,Texas,TX,Donald Trump,1,0.3\r\n1864,10/31/2020,melania trump makes rare joint rally appearance politics political trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n1865,10/31/2020,melaniatrump is disgusting. the gold digger opens her foul mouth trumpviurs flies out she is polluting wisconsin air this illegal mail bride is a pathological liar just like her adulterous husband donaldtrump. history poked fun at america votethemallout election2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1866,10/31/2020,michaelmoore \xe2\x80\x98don\xe2\x80\x98t believe these polls\xe2\x80\x98 -- \xe2\x80\x98trump vote is always being undercounted\xe2\x80\x98  via breitbartnews,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n1867,10/31/2020,miss teen urolgnia - another trump business trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n1868,10/31/2020,mmpadellan and the more serious issue with this case is the gop and trump thetraitor has paid for him to have the big criminal lawyers that help criminals.  the guy killed two people and critically injured one. seriously when did murder become political.  oh i \xf0\x9f\x91\x8b know never,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1869,10/31/2020,more trumpers at joe\xe2\x80\x99s rally. lol. \xf0\x9f\x87\xba\xf0\x9f\x87\xb8trump/pence\xf0\x9f\x87\xba\xf0\x9f\x87\xb82020 trump2020 trumparmy \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbb\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbb\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbb\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbb\xe2\x9d\xa4\xef\xb8\x8f,United States of America,California,CA,Donald Trump,2,0\r\n1870,10/31/2020,mrmichaelburkes youngins \xe2\x9d\xa4\xef\xb8\x8f trump,United States of America,Georgia,GA,Donald Trump,1,0.3\r\n1871,10/31/2020,murphymike the trumpanzees \xe2\x80\x9cthe waitress is practicing politics as the businessmen slowly get stoned. yes they\xe2\x80\x99re sharing a drink they call \xe2\x80\x98loneliness\xe2\x80\x99 but it\xe2\x80\x99s better than drinking alone.\xe2\x80\x9d perfect. trump votehimout votebluetoendthenightmare,United States of America,California,CA,Donald Trump,1,0.1\r\n1872,10/31/2020,my fellow citizens you deserve a president who believes in america a president who loves our country and a president who loves you...  i ask you to honor me with a vote  that will make our nation greater than it has ever been before. trump maga pennsylvania election2020,United States of America,New York,NY,Donald Trump,1,0.3\r\n1873,10/31/2020,my final election predictions biden at 306 is my official prediction. biden at 395 is his most likely best case scenario and trump at 306 is his most likely best case scenario. what do you think am i crazy a genius both uselections2020 cnnpolitics,United States of America,Oklahoma,OK,Donald Trump,1,0.3\r\n1874,10/31/2020,my taxdollars aren\xe2\x80\x99t paying for trump to wander around doing campaign rally\xe2\x80\x99s. our tax dollars are paying for trump to be president. maybe he should try doing his job for a change. won\xe2\x80\x99t matter in a few days anyway voteblue2020 dumptrump,United States of America,Washington,WA,Donald Trump,0,-0.4\r\n1875,10/31/2020,network news buries historic trump peace deal  donaldtrump mainstreammedia media mediabias middleeast via jakepalmieri,United States of America,Colorado,CO,Donald Trump,2,0\r\n1876,10/31/2020,newyork florida donaldtrump,United States of America,New York,NY,Donald Trump,1,0.3\r\n1877,10/31/2020,no this is about america doing what's right - something the swamp has forgotten unless it stuffs the pockets of the washington elite - get with the program - trump is for the people - all the people - expect more great things from this president election maga politics trump,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n1878,10/31/2020,no. not newtown bucks county hosting a trump rally. he is not taking pennsylvania this time. not in that county or the others. votebluetoendthenightmare biden2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n1879,10/31/2020,not to sully the talkingheads but this is where i\xe2\x80\x99m at heading into the election. we had the pleasure\xe2\x80\x94and reminder\xe2\x80\x94of flipping off trump supporters on our way out of santacruz where some anti-vaxxing non mask-ers folks almost got it too psychokiller,United States of America,California,CA,Donald Trump,1,0.3\r\n1880,10/31/2020,now this is too funny look what a mother dressed her twins for halloween.presidential candidates 2020 election biden trump nov3 tuesday vote oct31 halloween funny candidates yourvotematters,United States of America,Maryland,MD,Donald Trump,0,-0.4\r\n1881,10/31/2020,now three days before the elections all of the major tv broadcasters including even fox are campaigning for biden and against trump with add's ratio ~21. i think it's totally wrong do americans really want to be taught by tv moguls who is the better president for them,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n1882,10/31/2020,now three days before the elections all of the major tv broadcasters including even fox are campaigning for biden and against trump with add's ratio ~21. isn't that fundamentally wrong do you rally want to be taught by these companies who is the better president for you,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n1883,10/31/2020,obama was a failed president and biden accomplished nothing in 47 years... pathetic vote trump trump2020,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1884,10/31/2020,of course covid19fest by trump.,United States of America,California,CA,Donald Trump,2,0\r\n1885,10/31/2020,ohio trump biden,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1886,10/31/2020,ok so the music at trump rallies is michael jackson\xe2\x80\x99s \xe2\x80\x98billie jean\xe2\x80\x99 - do they know what the song is about  votehimout michaeljackson,United States of America,Illinois,IL,Donald Trump,2,0\r\n1887,10/31/2020,ordinary1world if the trump administration pulls this off again it\xe2\x80\x99s because they cheated... it took a pandemic to bring out the losers true colors and open everyone\xe2\x80\x99s eyes.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1888,10/31/2020,ouch...\xe2\x80\x9dwhat\xe2\x80\x99s realdonaldtrump obsession with crowd size did not enough people go to donaldtrump birthday party when he was growing up\xe2\x80\x9d \xf0\x9f\x98\x82barackobama savage in flint\xe2\x80\xbc\xef\xb8\x8fvote election2020,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1889,10/31/2020,pa vote biden to save america philadelphia vote votebiden theboss voteblue votebluetoendthenightmare election2020 electionday pa brucespringsteen trumpmeltdown trumpislosing trump trumpiscompromised trumpisunfitforoffice,United States of America,Rhode Island,RI,Donald Trump,0,-0.2\r\n1890,10/31/2020,paoramos julito77 vicenews yes latinx are the largest ethnic voting group in the us and how do we keep educating our community about what to watch for human rights at the border.  fair housing laws.  the livable wage. protecting the right to vote.  the only reason latinx can support trump is ignorance.,United States of America,California,CA,Donald Trump,2,0\r\n1891,10/31/2020,parler_app something am loving \xf0\x9f\xa5\xb0 do check it out erictrump realdonaldtrump colojo3 wagop trumpstudents loudobbs donaldtrump 4moreyears trump2020tosaveamerica,United States of America,District of Columbia,DC,Donald Trump,1,0.7\r\n1892,10/31/2020,penny_816 atrupar trump has to be charged something for the deaths. he also discouraged protection for mitigation to covid19-masks-knowing it was airborne/deadlydon\xe2\x80\x99t think he had covid either. another lie of 20000+ lies-he owns stock in remdesivir &amp; regeneron. he cares about self/$$$ only\xf0\x9f\x98\xa1,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1893,10/31/2020,pftompkins maybe that's a cup of trump's covfefe,United States of America,New York,NY,Donald Trump,2,0\r\n1894,10/31/2020,phillipadams_1 therese_rein they\xe2\x80\x99re about to go down with trump,United States of America,Nevada,NV,Donald Trump,0,-0.4\r\n1895,10/31/2020,president trump biden vote elections,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1896,10/31/2020,realdonaldtrump after mocking the pos laura ingraham for wearing a mask trump is in cleanup mode. guess it wasn\xe2\x80\x99t good for his ratings. so much winning lol maga,United States of America,Minnesota,MN,Donald Trump,0,-0.1\r\n1897,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1898,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1899,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1900,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1901,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1902,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1903,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1904,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1905,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1906,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1907,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1908,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1909,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1910,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1911,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1912,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1913,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1914,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1915,10/31/2020,realdonaldtrump anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n1916,10/31/2020,realdonaldtrump because who is more corrupt than donaldtrump,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n1917,10/31/2020,realdonaldtrump can me make a census of the people living a the 3 trump towers in sunny isle florida...how many russian families live there &amp; from other ethnic backgrounds. lots of russian and yugoslavia girls pregnant with anchor babies...models with einstein visa cbsnews investigate,United States of America,Florida,FL,Donald Trump,2,0\r\n1918,10/31/2020,realdonaldtrump go figure her ass is stuck in 1920 of course she thinks his racist bigotry lying ass is the best\xf0\x9f\x98\x82\xf0\x9f\xa4\xa1\xe2\x98\xa0\xef\xb8\x8ftrump votebluetoendthenightmare,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n1919,10/31/2020,realdonaldtrump media stunt please so desperate he is using our military. trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n1920,10/31/2020,realdonaldtrump no mrpresidentamerica is better than the days of george wallace and he  recognized the error of his waysapologized to those he hurt and repented the lord spared your life to give you time to do the sameit\xe2\x80\x99s your choice msnbc trump  demonchaser,United States of America,Michigan,MI,Donald Trump,1,0.6\r\n1921,10/31/2020,realdonaldtrump the martians are coming to get you  vote trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1922,10/31/2020,realdonaldtrump those appointed to the supreme court and  federal court by trump let me just say as a retired police officer it is disheartening to know that you supposed to represent the people yet siding with this racist criminal search your heart ussupremecourt usa msnbc demonchaser,United States of America,Michigan,MI,Donald Trump,0,-0.8\r\n1923,10/31/2020,realdonaldtrump told me i hate spending time with veterans. trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1924,10/31/2020,realdonaldtrump trump family +corrupt enterprise,United States of America,Ohio,OH,Donald Trump,0,-0.7\r\n1925,10/31/2020,realdonaldtrump trump nicest thing i could think to say about him votebiden,United States of America,Pennsylvania,PA,Donald Trump,1,0.9\r\n1926,10/31/2020,realdonaldtrump with the unforgiving clock ticking away valuable minutes the disastrous trump era is reaching its denouement. republican officials pundits and apologists please take note you still have time to repudiate the president.,United States of America,California,CA,Donald Trump,0,-0.7\r\n1927,10/31/2020,realdonaldtrump your rallies are linked to 30k + cases &amp; over 700 deaths ... trump coronavirus,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n1928,10/31/2020,realdonaldtrumpis live from bucks county pa on veritasradionet tunein now  our live chatroom is open today too and is buzzing with incredible ev results that show trump landslide in fl and nc,United States of America,Louisiana,LA,Donald Trump,1,0.7\r\n1929,10/31/2020,realjameswoods because your awesome trump2020landslidevictory trump,United States of America,Texas,TX,Donald Trump,1,0.2\r\n1930,10/31/2020,republicans &amp; democrats i cooked ya'll a lamb burger. enjoy barackobama barackobama obamamalik joebiden joebiden realdonaldtrump donaldtrump nancypelosi speakerpelosi,United States of America,Pennsylvania,PA,Donald Trump,1,0.4\r\n1931,10/31/2020,richarddawkins if trump loses...all is lost. america is no more,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1932,10/31/2020,ronbrownstein joetrippi it is halloween and trump stalks the land to spread virus and pestilence.,United States of America,California,CA,Donald Trump,0,-0.4\r\n1933,10/31/2020,rudygiuliani i\xe2\x80\x99m a bit troubled by the unsubstantiated accusations hurled with libelous invective by one who has recently been exposed as an unsavory predator whose prurient appetites veer toward the uncomfortably young. tied to trump like a thuggish mountaineer rudy is neck deep in muck.,United States of America,California,CA,Donald Trump,0,-0.8\r\n1934,10/31/2020,rumpfshaker mediaite i\xe2\x80\x99m not a biden harris voter. but i am horrified by this incident. for me these terroristic images and reports call to mind the attack on the freedomriders in anniston alabama in 1961. unacceptable and unamerican violence and intimidation. trump must denounce this.,United States of America,Alabama,AL,Donald Trump,0,-0.6\r\n1935,10/31/2020,russian bots are on the ballot people russiandisinformation 2020election trump,United States of America,Washington,WA,Donald Trump,0,-0.6\r\n1936,10/31/2020,saturdaythoughts saturdaymorning bidencrimefamiiy trump trump2020tosaveamerica,United States of America,California,CA,Donald Trump,2,0\r\n1937,10/31/2020,scaramucci those ppl that claim joebiden is socialist that they r fighting against socialism by voting for trump. 1 q who do u think paid for trump\xe2\x80\x99s covid 19 medicine &amp; hospital stay americans did by way of a socialist process that protects the potus no matter what.,United States of America,Washington,WA,Donald Trump,0,-0.8\r\n1938,10/31/2020,scottcrates masks have officially become the koolaid of trump\xe2\x80\x99s death-cult. tens of millions of our fellow american\xe2\x80\x99s taken in by a wannabe tinpot dictator staging a greek tragedy of a slow-moving jonestown massacre taking the rest of us with them.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1939,10/31/2020,scottdetrow diary of a radio junkie 1806 days of waking up to the news kenosha kylerittenhouse whitesupremacism trump biden pence kamalaharris coronavirus covid19 covid_19 earthquake turkeyearthquake izmirearthquake greece turkey aegeanearthquake painting art,United States of America,New York,NY,Donald Trump,0,-0.2\r\n1940,10/31/2020,secgenescalia atlastube potus as trump selected usdol secretary state comments if any he made to assist disabled obtain employment on federal funded contracts.  also any actions he directed you to perform to decrease disability employment via the usdol ofccp 1g13 utilization goal on fed. contracts,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n1941,10/31/2020,seibtnaomi yes remember when trump said it was \xe2\x80\x9cpatriotic\xe2\x80\x9d to wear a mask.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n1942,10/31/2020,senatemajldr hughhewitt it is so      trump,United States of America,Michigan,MI,Donald Trump,0,-0.1\r\n1943,10/31/2020,senatorkapenga i saw you and your fellow speakers at the wisgop make some outrageous claims at a hardly-socially-distanced event in delafield wisconsin today. trump and the gop haven't helped workers or farmers. timeforchange bidenharris2020,United States of America,Wisconsin,WI,Donald Trump,0,-0.3\r\n1944,10/31/2020,serious question how do we forgive those among us who still unbelievably who will still vote for trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1945,10/31/2020,shit no.  dumber than a box of rocks which is why trump chose him,United States of America,New York,NY,Donald Trump,0,-0.8\r\n1946,10/31/2020,silentmaga20 infjlove mrjohnwick2 today is my 2 year twitter anniversary would be nice to hit 2000 plus today. see what you maga  kag patriots bluelivesmatter trump loving friends can do for me at stopandthinkab1,United States of America,New York,NY,Donald Trump,1,0.4\r\n1947,10/31/2020,slate not soon enough - i mean his departure abs trump\xe2\x80\x99s,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1948,10/31/2020,so danabashcnn has been on cnn the last few nights talking about trump\xe2\x80\x99s ground game i just think of charlie kirk and a army of minions knocking on doors. vote,United States of America,New York,NY,Donald Trump,2,0\r\n1949,10/31/2020,so free money for doctors if you call something covid19 even though it\xe2\x80\x99s not sounds likely... not trump trumpliespeopledie,United States of America,California,CA,Donald Trump,0,-0.3\r\n1950,10/31/2020,so gop now any idiot who holds a bible and a gun is thought to be a patriot just like that man you have really let yourselves go. how about real results for the american people not just using things as props. trump gop maga2020 trumpisunfitforoffice bebest,United States of America,California,CA,Donald Trump,0,-0.4\r\n1951,10/31/2020,so trump jr. goes on foxtv and claims that covid19 is down to nothing. what  i guess the lie thing runs in the family. with record numbers of new cases and deaths who is this buffoon trying to kid voteblue2020 trumpslie,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n1952,10/31/2020,stevenbeschloss you\xe2\x80\x99re talking about trump right joebyedon,United States of America,Nevada,NV,Donald Trump,0,-0.5\r\n1953,10/31/2020,steveskojec i can tell you now realdonaldtrump and its not going to be close. that's what the ev data says. fl is a loc for trump btw mark it dude.,United States of America,Louisiana,LA,Donald Trump,0,-0.3\r\n1954,10/31/2020,streaming now on spotify  healthisland by dsouldavis kamalaharris donaldtrump justice supremecourt ruthbaderginsberg rbg georgefloyd aliciakeys johnlegend adele blacklivesmatter msnbc cnn foxnews media news breakingnews politics faith,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n1955,10/31/2020,stuhunter1 trump suckers cultists morons are there any other ways to describe these weakminded dummies oh yeh  deplorables  thanks for that term hillaryclinton you saw it coming,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n1956,10/31/2020,superspreader trump campaign is smearing covid19 across the face of north carolina,United States of America,North Carolina,NC,Donald Trump,0,-0.7\r\n1957,10/31/2020,teamtrump realdonaldtrump beautiful \xf0\x9f\x87\xba\xf0\x9f\x87\xb2\xf0\x9f\x87\xba\xf0\x9f\x87\xb2\xf0\x9f\x87\xba\xf0\x9f\x87\xb2\xf0\x9f\x87\xba\xf0\x9f\x87\xb2\xf0\x9f\x92\xaa god bless earline and her niece for sharing their vote \xf0\x9f\x98\x87 you're never too old to vote what an inspiration \xf0\x9f\x91\x8f\xf0\x9f\x91\x8f\xf0\x9f\x91\x8f\xf0\x9f\x91\x8f\xf0\x9f\x91\x8f 4moreyears vote maga2020landslidevictory saturdaythoughts trump kag2020 texaslovestrump \xf0\x9f\xa4\xa0,United States of America,District of Columbia,DC,Donald Trump,1,0.9\r\n1958,10/31/2020,teamtrump realdonaldtrump trump is the king of covid19.  cases and deaths are soaring.  he is destroying america.,United States of America,Missouri,MO,Donald Trump,0,-0.1\r\n1959,10/31/2020,thank you president trump for protecting my gun rights. trump trump2020landslidevictory trump2020tosaveamerica  trump2020nowmorethanever maga2020landslidevictory,United States of America,New York,NY,Donald Trump,1,0.3\r\n1960,10/31/2020,that\xe2\x80\x99s the heavy price the people of sudan have to pay for allowing their leaders to be bribed and hoodwinked by trump and mbz. political mistakes have long-term consequences,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n1961,10/31/2020,the choice is simple. you vote biden for president or trump for king. he\xe2\x80\x99s a mad king a stupid king but never underestimate the effective destructiveness of stupidity and madness. trump is a magnet who draws everyone like him into his orbit.,United States of America,Washington,WA,Donald Trump,2,0\r\n1962,10/31/2020,the corporate press hates trump because he says the things everyone is thinking. it\xe2\x80\x99s ok to think that but you just can\xe2\x80\x99t say it. yeah it\xe2\x80\x99s trump but he\xe2\x80\x99s right. covid19,United States of America,Louisiana,LA,Donald Trump,2,0\r\n1963,10/31/2020,the failed covid19 strategy used by the potus vp + whitehouse is labeled a \xe2\x80\x9cdisaster\xe2\x80\x9d by some of the world\xe2\x80\x99s preeminent medical journals.  doctors knows trump could have chosen to fight the pandemic but he got scared ncgop senthomtillis ltgovdanforest ncpol ncga,United States of America,North Carolina,NC,Donald Trump,0,-0.7\r\n1964,10/31/2020,the latest olive tree wisdom daily  faith trump,United States of America,Texas,TX,Donald Trump,1,0.3\r\n1965,10/31/2020,the time for whining complaining and bewilderment is over. people need to vote especially women latinos african americans and others who have been devalued and vilified by the trump administration. show up or shut up the time is now election2020,United States of America,New York,NY,Donald Trump,0,-0.5\r\n1966,10/31/2020,the trump administration is reversing nearly 100 environmental rules. here\xe2\x80\x99s the full list.  if you are one of the few who believe trump cares about the environment please read... thank you nytimes,United States of America,New York,NY,Donald Trump,2,0\r\n1967,10/31/2020,thegoodgodabove the fact that trump still has people who worship him is even more frightening trump,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n1968,10/31/2020,thehorse trump is losing. \xf0\x9f\x94\xa5,United States of America,California,CA,Donald Trump,0,-0.2\r\n1969,10/31/2020,there is something for trump to be proud of. i\xe2\x80\x99m sure history will call realdonaldtrump the greatest serial killer in the us. his weapon covid 19.,United States of America,Washington,WA,Donald Trump,1,0.2\r\n1970,10/31/2020,there\xe2\x80\x99s yuge enthusiasm for trump,United States of America,Oregon,OR,Donald Trump,1,0.2\r\n1971,10/31/2020,these are the dimwits.  seriously trumpsters lack decency empathy common sense and refuse to follow the rile of law.  if you support trump speaks volumes of your lack of character,United States of America,New York,NY,Donald Trump,0,-0.4\r\n1972,10/31/2020,they\xe2\x80\x99re not electionriots they\xe2\x80\x99re bidenriots. trump supporters have nothing to do with them. - police departments across the country prepare for election riots soros antifaterrorists blmterrorists sorelosers,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n1973,10/31/2020,think im going to sue trump for being an asshole...,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n1974,10/31/2020,this graph over time is the biggest reason why donaldtrump is losing in nearly every poll. when a majority of americans consistently disapprove of a president it's normal for them to lose. especially against a challenger the majority of americans like.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1975,10/31/2020,this is frightening.  a concerned postal employee filmed this and got it to circulate.  we have to wonder how many more instances of this exist that  we don't know about.  isn't dejoy  responsible for this  he was appointed by trump.,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n1976,10/31/2020,this is terrorism by right-wing groups supporting trump. how could this be allowed to happen in the usa did the glfop leak joebiden's campaign arrangements,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1977,10/31/2020,this is what happens when rudy goes off his meds. the problem is his pre-existing condition of terminal schmuckness is no longer covered by health insurance thanks to trump.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n1978,10/31/2020,this podcast is important if you happen to be voter on the fence. trump is a threat to our democracy.,United States of America,California,CA,Donald Trump,0,-0.3\r\n1979,10/31/2020,time to detach from the toxic sound bites of trump on the news shows. switching to pen15 time for hilarity\xf0\x9f\x98\x81\xf0\x9f\x98\x81\xf0\x9f\x98\x81,United States of America,New York,NY,Donald Trump,0,-0.3\r\n1980,10/31/2020,today is my 2 year twitter anniversary would be nice to hit 2000 plus today. see what you maga  kag patriots bluelivesmatter trump loving friends can do for me at stopandthinkab1,United States of America,New York,NY,Donald Trump,1,0.3\r\n1981,10/31/2020,today is the 4 year anniversary of my husband denying a child halloween candy because her dad didn\xe2\x80\x99t vote for trump \xf0\x9f\x98\x82 neverforget,United States of America,Nevada,NV,Donald Trump,0,-0.8\r\n1982,10/31/2020,today there were 91530 new covid19 cases and 1047 deaths. both realdonaldtrump  vp as well as the gop are guilty of manslaughter and the people that go to their rallies are gullible dupes. magats trump mikepence trumpisaliar trumpisaloser,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n1983,10/31/2020,tpm again with trump it\xe2\x80\x99s always \xe2\x80\x9copposite day.\xe2\x80\x9d,United States of America,Missouri,MO,Donald Trump,0,-0.3\r\n1984,10/31/2020,trump,United States of America,Arizona,AZ,Donald Trump,2,0\r\n1985,10/31/2020,trump,United States of America,California,CA,Donald Trump,2,0\r\n1986,10/31/2020,trump,United States of America,Florida,FL,Donald Trump,2,0\r\n1987,10/31/2020,trump administration notifies congress f-35 sale plan to uae politicalparties politicalviews trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n1988,10/31/2020,trump adviser\xe2\x80\x99s ties to anti-immigration policies and hate groups scrutinized  via usresistnews,United States of America,California,CA,Donald Trump,0,-0.6\r\n1989,10/31/2020,trump already bitching about the supremecourt . well the honey moon phase was short.,United States of America,California,CA,Donald Trump,0,-0.3\r\n1990,10/31/2020,trump americafirst \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 always wetheppl \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbe\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbe\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbe,United States of America,Texas,TX,Donald Trump,1,0.1\r\n1991,10/31/2020,trump celebrates disenfranchisement. if your vote did not matter the gop wouldn\xe2\x80\x99t be working so hard to deny it to you.,United States of America,California,CA,Donald Trump,0,-0.2\r\n1992,10/31/2020,trump claims doctors 'get more money' for covid deaths trump a lying dangerous criminal   \xf0\x9f\xa4\xac\xf0\x9f\xa4\xac\xf0\x9f\xa4\xac,United States of America,Idaho,ID,Donald Trump,0,-0.8\r\n1993,10/31/2020,trump coddled the communists russia china north korea. he\xe2\x80\x99s a failed businessman his casino went bankrupt\xe2\x80\x94bankrupt who owes $400 million +. his stupidity has cost 200k+ their lives millions more their jobs. trump too weak to lead.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n1994,10/31/2020,trump constantly lies,United States of America,New York,NY,Donald Trump,0,-0.7\r\n1995,10/31/2020,trump delivers a dignified and intimate speech in bucks county pennsylvania where george washington was stationed in 1777 during the revolutionary war. this is a serious realdonaldtrump rally in election2020.,United States of America,New York,NY,Donald Trump,2,0\r\n1996,10/31/2020,trump didn\xe2\x80\x99t tweet this. he must have taken his meds. so donny jr. take your meds &amp; give it up. no women trend strongly for any trump. votebluetosaveamerica votethemout,United States of America,California,CA,Donald Trump,0,-0.2\r\n1997,10/31/2020,trump displays what has been described by psychologists as the dark triad of personality disorders psychopathy narcissism and machiavellianism. a dangerous combination which has been lethal for our democracy and our decency as a nation.,United States of America,Hawaii,HI,Donald Trump,0,-0.4\r\n1998,10/31/2020,trump donlemon \xf0\x9f\xa4\xa1 fakefriend fakenewsmedia vote walkaway blexit,United States of America,California,CA,Donald Trump,1,0.1\r\n1999,10/31/2020,trump family truth everything they say about others is exactly what they themselves have been doing for years upon years. once he\xe2\x80\x99s out of office we\xe2\x80\x99re free to lockthemup,United States of America,California,CA,Donald Trump,1,0.2\r\n2000,10/31/2020,trump gop republican gopdeathcult trumpvirus dumptrump coronavirus covid19 disease death destructiom deceit wearamask,United States of America,California,CA,Donald Trump,0,-0.1\r\n2001,10/31/2020,trump had $265 million to give to 274 celebs to endorse him; betty white said no lil wayne said yes,United States of America,Florida,FL,Donald Trump,2,0\r\n2002,10/31/2020,trump has failed at his core job of keeping the american ppl safe  amjoy,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2003,10/31/2020,trump has more in common with lincoln than you might think thehill,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n2004,10/31/2020,trump i need your prez library to be a haunted house of horrors. u destroyed our country; now time to be memorialized as the great divider.,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n2005,10/31/2020,trump ignores wisconsin\xe2\x80\x99s \xe2\x80\x98really grim\xe2\x80\x99 covid surge for rally..trump..gop..covid19,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n2006,10/31/2020,trump is a murderer,United States of America,Pennsylvania,PA,Donald Trump,0,-0.7\r\n2007,10/31/2020,trump is going to test the modeling for what if the us does nothing to combat covid19pandemic.,United States of America,Indiana,IN,Donald Trump,0,-0.6\r\n2008,10/31/2020,trump is realizing he has lost supoort from his own party...russia distancing themselves preparing for a biden wh...and campaign money completely depleted...trump facing real defeat...and severe legal issues looming on the horizon,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n2009,10/31/2020,trump is the devil.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2010,10/31/2020,trump is the most intellectually lazy president of my lifetime and we are all paying the price for his ignorance bidenharristosaveamerica votethemallout,United States of America,California,CA,Donald Trump,0,-0.8\r\n2011,10/31/2020,trump is too tired to herd anything and that downward lilt in the end of each semi-statement depression it's not pretty,United States of America,California,CA,Donald Trump,0,-0.8\r\n2012,10/31/2020,trump is winning at mass murder. trumpliespeopledie covid19 trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n2013,10/31/2020,trump just made biden\xe2\x80\x99s closing argument for him,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2014,10/31/2020,trump lashes out at state officials over virus restrictions at minnesota rally thehill,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n2015,10/31/2020,trump maga 2020,United States of America,Texas,TX,Donald Trump,2,0\r\n2016,10/31/2020,trump makes promises at his rallies like a monkey throws poop at the zoo-goers.,United States of America,Utah,UT,Donald Trump,0,-0.8\r\n2017,10/31/2020,trump murdered and sickened these people,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n2018,10/31/2020,trump needs to win back some female voters. he\xe2\x80\x99s closing his campaign by insulting them.  trump women misogyny womensrights womenvoters female suburbanwomen,United States of America,New York,NY,Donald Trump,0,-0.3\r\n2019,10/31/2020,trump needs to win win win,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n2020,10/31/2020,trump on women,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n2021,10/31/2020,trump prolife abortion covid19,United States of America,Missouri,MO,Donald Trump,0,-0.5\r\n2022,10/31/2020,trump rallies led to more than 30000 covid cases stanford researchers say trump respects no-one.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n2023,10/31/2020,trump saying mds try to code deaths incorrectly as covid19 deaths to make money is ridiculous and offensive because it's wrong. physicians who sign death certificates and the medical examiners who check them don't make things up  trump is a blight on our nation... 1/2,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n2024,10/31/2020,trump says it's over - not u.s. hits new coronavirus record with more than 88500 new cases,United States of America,New York,NY,Donald Trump,0,-0.1\r\n2025,10/31/2020,trump sent 4american soldiers to die in mismanaged raid in niger in whimsical decision made over dinner weeks after taking office,United States of America,New York,NY,Donald Trump,2,0\r\n2026,10/31/2020,trump still supports a national stopandfrisk policy  votehimout amjoy,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2027,10/31/2020,trump supporter waiting in line for trump rally on halloween october 31 2020 in reading pa ... reduxpictures trump america 2020 pennsylvania covid_19 vampire halloween everydayishalloween  ministry vote,United States of America,New York,NY,Donald Trump,2,0\r\n2028,10/31/2020,trump tells congress of intent to take sudan off terror list - arab news,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n2029,10/31/2020,trump the quitter,United States of America,Indiana,IN,Donald Trump,0,-0.1\r\n2030,10/31/2020,trump told donors at a closed-door event that he will have his 'own team' and law enforcement monitoring polling places and is planning to dispute individual ballots..trump..gop..elections..,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n2031,10/31/2020,trump uses midwestern swing to launch false attacks on doctors while covid cases rise - cnn whitehouse political trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2032,10/31/2020,trump vs. biden race tightens but donald trump has these 2 problems ibd/tipp presidential poll shows trump politicalviews politics,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n2033,10/31/2020,trump \xe2\x80\x9cdoctors inflat covid19 numbers to line their pockets.\xe2\x80\x9d lie trump lined whitehouse with his family and cronies to fatten his pocket and his secret acts truth wakeupamerica trumpisaliar votetrumpout votebidenharristosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2034,10/31/2020,trump's legacy is shaped by his narrow interests,United States of America,Texas,TX,Donald Trump,2,0\r\n2035,10/31/2020,trump's rallies are backfiring and making joebiden more popular. rofl,United States of America,Ohio,OH,Donald Trump,1,0.2\r\n2036,10/31/2020,trump2020 maga2020 trump trumprally,United States of America,Utah,UT,Donald Trump,1,0.1\r\n2037,10/31/2020,trumpcovid19 trumpiscompromised trump,United States of America,Georgia,GA,Donald Trump,2,0\r\n2038,10/31/2020,trumpfailed trumpliedpeopledied trump only cares about himself.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2039,10/31/2020,trump\xe2\x80\x99s covid19,United States of America,California,CA,Donald Trump,2,0\r\n2040,10/31/2020,trump\xe2\x80\x99s lies aren\xe2\x80\x99t what terrifies the liberals...it\xe2\x80\x99s when he\xe2\x80\x99s tells the truth. may not often happen often but when it does... truthbombs,United States of America,New York,NY,Donald Trump,0,-0.3\r\n2041,10/31/2020,truth realdonaldtrump trump,United States of America,California,CA,Donald Trump,1,0.1\r\n2042,10/31/2020,twitter took votes away from trump in 2016 us polls study trump politics political,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2043,10/31/2020,udiscovermusic jamie_atkins_ hi came across your article on top protest songs.. figured i\xe2\x80\x99d send you my new one  ;-   facethefire vote\xc2\xa0\xc2\xa0\xc2\xa0 govote songstovoteto election2020\xc2\xa0\xc2\xa0\xc2\xa0 politicalsongs protestsongs votehimout trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n2044,10/31/2020,ultimateuniver2 impeachdotard45 angrierwhstaff  this was an economics professor and 2 grad assistants. i think trump rallies are superspreaderevents but i need an md here. they're out of their lane.,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n2045,10/31/2020,unbelievable as trump says we are rounding the corner...,United States of America,New York,NY,Donald Trump,0,-0.2\r\n2046,10/31/2020,us capitol building 2025 if trump wins,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n2047,10/31/2020,varadmehta let's see...plan for economic recovery  jobs stability  law &amp; order sounds great- so there's only trump,United States of America,Texas,TX,Donald Trump,1,0.1\r\n2048,10/31/2020,veekmo ericcervini uhhh actually the reverse....trump support gets vandalized... lol sheeple,United States of America,California,CA,Donald Trump,0,-0.3\r\n2049,10/31/2020,via crooksandliars larry kudlow says trump is \xe2\x80\x98pulling the plug\xe2\x80\x99 on stimulus deal \xe2\x80\x94 again  | trump gop republicans,United States of America,New York,NY,Donald Trump,0,-0.2\r\n2050,10/31/2020,via newcivilrights a cop who helped kill breonna taylor is suing her boyfriend for shooting back  | civilrights lgbtq trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2051,10/31/2020,via rawstory conservatives are hopping mad that their clumsy hunter biden smear is a flop  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.9\r\n2052,10/31/2020,via rawstory frustrated republicans admit democrats\xe2\x80\x99 late ad surge could wipe out their senate majority report  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2053,10/31/2020,violent trump supporters interfering with our election biden cancels austin texas event after pro-trump \xe2\x80\x98ambush\xe2\x80\x99 - trump supporters were armed &amp; and attempted to drive it off the road\xe2\x80\x9d he alleged. \xe2\x80\x9cthey outnumbered police 50-1  corrupt donald,United States of America,California,CA,Donald Trump,0,-0.7\r\n2054,10/31/2020,vote trump out he\xe2\x80\x99s killing people everyday. trump trumpcrimefamily trumprally trumpisunfitforoffice trumpcovidhoax trumpcovid19,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n2055,10/31/2020,vote walkaway trump,United States of America,California,CA,Donald Trump,2,0\r\n2056,10/31/2020,voteredinperson voteredtosaveamerica voteredremovecorruption votetrump2020 trump trumppence2020,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n2057,10/31/2020,wake up maga lauraingraham doesn't want you to wear a mask at a trumprally but she wears one all of her rhetoric is designed to get ratings not to be honest and truthful. trumpkillsus trumpvirus trumphasnocredibility maga2020 kag2020 kag maga trump2020 trump,United States of America,California,CA,Donald Trump,0,-0.1\r\n2058,10/31/2020,walkaway trump vote2020,United States of America,California,CA,Donald Trump,2,0\r\n2059,10/31/2020,watch in a just-released video president trump hits the mammoth tech monopolies for suppressing negative stories about joebiden.,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n2060,10/31/2020,watch joebiden gets his \xe2\x80\x98deplorables\xe2\x80\x99 moment calls trump supporters \xe2\x80\x98ugly folks\xe2\x80\x99 at his rally in st. paul mn  via twitchyteam,United States of America,Arizona,AZ,Donald Trump,0,-0.3\r\n2061,10/31/2020,watching a wwii documentary watch out stephen miller has already broadcasted his desire to take his immigration policy to the next step.  a vote for trump is a vote for nazis  don't think it's not already here. trump administration are proud nazis,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n2062,10/31/2020,we need someone to bring our nation together to start the healing and to end the hell; we know that impeached trump is not the one who could ever do that . . . vote  via yahoonews saturdaythoughts saturdaymorning election2020,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n2063,10/31/2020,welcome back nypost i can't believe you were censoredbytwitter for 16 days so undecidedvoters &amp; independentvoters please read this before you elect kamalaharris on tues harrisbiden trump tonybobulinski hunterbidenslaptop voteredtosaveamerica from democraticsocialism,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2064,10/31/2020,what but trump &amp; familys\xe2\x80\x99 lives are fair game to disrupt/research/harass going back 30-40 yrs turnabout is fair play,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n2065,10/31/2020,what i love most about realdonaldtrump .. he\xe2\x80\x99s a real guy.. a normal guy.. how could you not love him i don\xe2\x80\x99t get it man.. thanks for the support nelk full send baby trump2020 trump election2020 nelk,United States of America,Pennsylvania,PA,Donald Trump,1,0.9\r\n2066,10/31/2020,what is wrong with these trump supporters,United States of America,California,CA,Donald Trump,0,-0.8\r\n2067,10/31/2020,what's scarier than an ignorant black man copying an ignorant white man blackpoliticsmatter  blacklivesmatter election2020 trump blackmen,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n2068,10/31/2020,when people say they\xe2\x80\x99re voting for trump despite his vile behavior it means the only thing they really care about is money and/or fundamentalist religion. donaldtrump 2020election,United States of America,Arizona,AZ,Donald Trump,0,-0.3\r\n2069,10/31/2020,whether biden or trump wins doesn't matter. the duopoly still stands. the american people will still be screwed. the true fate of america stands w/ the legislative branch. will thedemocrats retain the hor will the gop retain the senate that is the election. lawmakers.,United States of America,California,CA,Donald Trump,0,-0.2\r\n2070,10/31/2020,whitehouse realdonaldtrump the whitehouse is not trump house it\xe2\x80\x99s the people\xe2\x80\x99s house. stop campaigning for him. goddamn it.,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n2071,10/31/2020,whitehouse vote this administration out trump coronavirus halloween2020 bidenharris2020,United States of America,Washington,WA,Donald Trump,0,-0.4\r\n2072,10/31/2020,who will be president  what\xe2\x80\x99s your path to 270 look like  biden trump,United States of America,Arizona,AZ,Donald Trump,0,-0.5\r\n2073,10/31/2020,who\xe2\x80\x99s going to win the election on tuesday vote biden trump,United States of America,New York,NY,Donald Trump,0,-0.5\r\n2074,10/31/2020,why does teamcavuto hate trump so much his morning show saturday was like watching cnn maga,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n2075,10/31/2020,why is trump2020landslidevictory maga trump so against \xf0\x9f\x98\xb7,United States of America,Tennessee,TN,Donald Trump,0,-0.7\r\n2076,10/31/2020,will trump be poisonedbyputin once he is no longer useful to him uselection2020 vote2020 votebluetoendthenightmare,United States of America,Massachusetts,MA,Donald Trump,0,-0.7\r\n2077,10/31/2020,wisconsin trump2020landslide trump trump2020 walkaway walkawayfromdemocrats democratsfortrump trumprally americafirst,United States of America,Arizona,AZ,Donald Trump,2,0\r\n2078,10/31/2020,wphamilton eateach this nightmare stems from barack obama humiliating him at press night. trump is evil. his drive for revenge is psychopathic.,United States of America,Nevada,NV,Donald Trump,0,-0.7\r\n2079,10/31/2020,wpreview thanks for publishing edwardgluce thoughtful piece. i disagree with his argument about trust.  note how many republicans trust biden to return to post trump norms.  why  because the norms built on trust matter to effective governance.,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n2080,10/31/2020,wray gina espey. whereshunter votetrump2020 trump prayfortrump buildthewall defeatcovid,United States of America,Texas,TX,Donald Trump,1,0.1\r\n2081,10/31/2020,wtf gop trump cheating corruption,United States of America,North Carolina,NC,Donald Trump,0,-0.8\r\n2082,10/31/2020,yamiche can slander and libel suits be a class action i would love to see the ama file a defamation law suit against trump. what trump has done is criminal but i doubt anyone will hold him to account on this.,United States of America,Washington,WA,Donald Trump,0,-0.7\r\n2083,10/31/2020,yo hidin' biden this chump is voting for trump. chumpsfortrump trump2020 \xf0\x9f\xa4\x98\xf0\x9f\x87\xba\xf0\x9f\x87\xb2,United States of America,Colorado,CO,Donald Trump,2,0\r\n2084,10/31/2020,you can see the current situation of this regime how small and weak it is and there is nothing left until its destruction. 2020elections trump2020 donaldtrump realdonaldtrump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n2085,10/31/2020,you can't go to flint michigan and talk political crap. a republican governor let the water supply poison an entire city with lead. the effects of which last generations. obama helped cover it up. biden pays lip service. people claim trump has done nothing. election2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n2086,10/31/2020,you have the right to disagree but trump has asked certain people to come to the polls and basically intimidate voters.  republicans have had many many times to stand up and say to their voters that what trump has asked is both unethical and illegal and most haven't.,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n2087,10/31/2020,yup...these trump idiots are crazy...they actually think trump cares about them...,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n2088,10/31/2020,\xe2\x80\x98it broke my heart he\xe2\x80\x99s anti democratic\xe2\x80\x99 nebraska democrat delores schatz in trump\xe2\x80\x99s election four years ago. watch our full report from one of the reddest corners of america here,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2089,10/31/2020,\xe2\x80\x9ci voted for trump in 2016 primarily because of the prolife issue.\xe2\x80\x9d -elizabeth neumann dhs homelandsecurity trump biden,United States of America,Ohio,OH,Donald Trump,2,0\r\n2090,10/31/2020,\xe2\x80\x9con election night there\xe2\x80\x99s a real possibility that the data will show republicans leading early before all the votes are counted. then they can pretend something sinister\xe2\x80\x99s going on when the counts change in democrats\xe2\x80\x99 favor.\xe2\x80\x9d..trump..gop..elections,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n2091,10/31/2020,\xf0\x9f\x8e\xa0\xf0\x9f\x8e\xa0\xf0\x9f\x8e\xa0trump n biden \xf0\x9f\x8d\x94\xf0\x9f\x8d\x94\xf0\x9f\x8d\x94again imagine \xf0\x9f\xa6\x84\xf0\x9f\xa6\x84\xf0\x9f\xa6\x84 fighting each other in high school; trump slams supreme court live election updates,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n2092,10/31/2020,\xf0\x9f\x91\xb9 happy devil\xe2\x80\x99s night \xf0\x9f\x91\xb9joebiden covid19 \xe2\x80\x9cplan\xe2\x80\x9d is a maskmandate &amp; extended lockdown2 \xe2\x80\x94 everything else covidtesting contacttracing we\xe2\x80\x99re already doing &amp; it\xe2\x80\x99s all from trump trump2020 joeknew devilsnight vote2020 4moreyears,United States of America,California,CA,Donald Trump,0,-0.2\r\n2093,10/31/2020,\xf0\x9f\x93\xa3 new podcast 'no good options' for the military if trump refuses to concede on spreaker concede contested election forces military refuses to trump,United States of America,Maryland,MD,Donald Trump,0,-0.8\r\n2094,11/1/2020,/// don't drug your prostate problems. change your biological terrain. use what really works toward clearing the problem /// trump,United States of America,California,CA,Donald Trump,2,0\r\n2095,11/1/2020,donaldtrump battlerap,United States of America,New York,NY,Donald Trump,1,0.3\r\n2096,11/1/2020,electionday republicanvoters trumpmeltdown maga trump gop realdonaldtrump,United States of America,Wisconsin,WI,Donald Trump,2,0\r\n2097,11/1/2020,'trump train' truck sideswipes biden volunteer's car in texas | law &amp; crime trump encourages this conduct harris biden respect civility texas pennsylvania gopackgo blackvoicesfortrump florida votetrump2020  electionday election2020,United States of America,Georgia,GA,Donald Trump,0,-0.1\r\n2098,11/1/2020,- protesters riot in northeast portland on mlk blvd...break windows at ten businesses  \xe2\x80\xa6 oregon portlandriots portlandprotests portland sarahiannarone tedwheeler trump biden chloeeudaly orpol nytimes,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n2099,11/1/2020,- saturday nite protesters riot in ne portland on mlk blvd...break windows at ten businesses  \xe2\x80\xa6 oregon portlandriots portlandprotests sarahiannarone tedwheeler trump biden chloeeudaly orpol nytimes,United States of America,Oregon,OR,Donald Trump,0,-0.1\r\n2100,11/1/2020,.judgejeanine is a disgrace to the robe and journalism. she is as much of an accomplice as any gop govmikedewine senrobportman who continues to support defend trump. shame on us. shame on them.,United States of America,Ohio,OH,Donald Trump,0,-0.7\r\n2101,11/1/2020,.realdonaldtrump donaldtrump betrayed armenian americans in more ways than one. artsakh recognizeartsakh potus whitehouse statedept secpompeo stevenmnuchin1 deptofdefense gop housegop senategop senatemajldr gopleader,United States of America,California,CA,Donald Trump,0,-0.2\r\n2102,11/1/2020,2 days vote votebluetoendthenightmare votebluetosaveamerica votebidenharris2020 votebiden votetrumpout trumpisanationaldisgrace trump trumpisnotamerica bidenharrislandslide2020 bidenharris2020landslide,United States of America,Michigan,MI,Donald Trump,2,0\r\n2103,11/1/2020,2020election presidentialelection2020 politics uselections2020 uselection2020 uselection americandelusion joebiden donaldtrump corruption civilwar2020,United States of America,New York,NY,Donald Trump,0,-0.7\r\n2104,11/1/2020,2020usapresidentialelection is notover yet &gt; until it's truly over  -- if trump is winning ..or .. biden is winning  one of the two suppositions remains to be seen \xe2\x9c\x8d\xef\xb8\x8f,United States of America,Texas,TX,Donald Trump,2,0\r\n2105,11/1/2020,96 miles long. \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trumptrain trump trump2020 redwave,United States of America,Nevada,NV,Donald Trump,2,0\r\n2106,11/1/2020,96 miles of trump support wow,United States of America,New York,NY,Donald Trump,1,0.2\r\n2107,11/1/2020,_pamela_davis bostonglobe can you state what trump factual has done what was not in line with his election promises he deregulated/lowered taxes gays in high positions more jobs for blacks no wars more peace...etc. can you spread facts instead of stupid hate,United States of America,Massachusetts,MA,Donald Trump,0,-0.7\r\n2108,11/1/2020,a message from the president docwatson1987 atwatervillagefm btw all improv... one take president trump makegreatagain  atwater village farmers market,United States of America,California,CA,Donald Trump,2,0\r\n2109,11/1/2020,a shit as long as he stays out of prison and makes a fucking living off of all of us. 2020election electionday 2020electionday donaldtrump bidenharris2020 cnn msnbc foxnews,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n2110,11/1/2020,a total douchebag move in support of a total douchebag president. trump is going away... i hope.,United States of America,Colorado,CO,Donald Trump,2,0\r\n2111,11/1/2020,abc gstephanopoulos gstephanopoulos repeating the false liberal narrative trump is attacking doctors. fact the doctors don't get covid money the states do it's also fact the states get gov't funds for every covid19 death they report. there's an incentive to lie about the real numbers.,United States of America,California,CA,Donald Trump,0,-0.8\r\n2112,11/1/2020,abigailmarone trump is a lifelong conman.  he's working his greatest con.,United States of America,Missouri,MO,Donald Trump,1,0.8\r\n2113,11/1/2020,abortion was reduced dramatically due to affordable care act access to contraceptives. trump wants to dismantle the aca and that will increase abortions. if you want to reduce abortions definitely don't vote for trump prolife,United States of America,Ohio,OH,Donald Trump,0,-0.4\r\n2114,11/1/2020,acting out doesn\xe2\x80\x99t mean trump is going 2 win. his minions r acting out hoping 2 deter voters &amp; suppress the vote. what they r doing is impeding essential workers from providing important emergency services 2 those that need 2 get 2 a hospital or a fire truck 2 extinguish a fire.,United States of America,Georgia,GA,Donald Trump,0,-0.6\r\n2115,11/1/2020,adamparkhomenko are you suggesting that it\xe2\x80\x99s the media\xe2\x80\x99s responsibility to stop trump from stealing the election,United States of America,Massachusetts,MA,Donald Trump,0,-0.7\r\n2116,11/1/2020,afronerdradio sun 6pm  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague clairelanay daryllbenjamin qstorm3476 sepia_cinema seanchristopher barondestructo popsugarent blerdsonline cthulhusprodigy,United States of America,New York,NY,Donald Trump,1,0.1\r\n2117,11/1/2020,alivetobedead rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,2,0\r\n2118,11/1/2020,all of these trump supporters should be arrested and tried for obstructing traffic public endangerment and pure stupidity,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2119,11/1/2020,amendment_02 violadavis octaviaspencer you dont know... because you will never have to cross those roads chasing a better living... so yes... i vote blue bc i hate trump i have voted red before... but never for hilters son,United States of America,New York,NY,Donald Trump,2,0\r\n2120,11/1/2020,america first \xe2\xac\x87\xef\xb8\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x96\xf0\x9f\xa4\x9e\xe2\xac\x87\xef\xb8\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trump trump2020 realdonaldtrump trumpfrance trumpfranceinfo,United States of America,New York,NY,Donald Trump,1,0.1\r\n2121,11/1/2020,america is better than donaldtrump,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n2122,11/1/2020,america will not he held hostage by donaldtrump  he belongs in the mental ward at a maximum secure federal prison,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2123,11/1/2020,amplified election armageddon asteroid scare the us this halloween  via cloudupblog voting vote election elections politics democracy votingmatters votingrights covid electionday registertovote votersuppression trump ivoted govote music,United States of America,California,CA,Donald Trump,0,-0.7\r\n2124,11/1/2020,an associated press investigation has found that the trump administration awarded emergency coronavirus funds to a well-connected republican donor\xe2\x80\x99s company to test a possible covid19-fighting blood plasma technology.  ricksantorum politics,United States of America,New York,NY,Donald Trump,0,-0.3\r\n2125,11/1/2020,ananavarro what other forms of intimidation possibly vandalism maybe other more deadly forms of chaos &amp; mayhem will trump encourage &amp; endorse trump\xe2\x80\x99s support of domestic terrorism is clearly apparent &amp; cannot be considered acceptable or legal.trumpisnotamerica votersuppressionisreal,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n2126,11/1/2020,and its not electionday as trump legion of followers destroy our american democracy  2020elections,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n2127,11/1/2020,and then there\xe2\x80\x99s this ... please take a quick look and listen to a worshipper at the altar of trump.,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n2128,11/1/2020,and this includes even \xe2\x80\x9clegal\xe2\x80\x9d immigrants question though\xe2\x80\x94will trump visa van include his trumpresorts,United States of America,Texas,TX,Donald Trump,2,0\r\n2129,11/1/2020,andrewo96717796 tnhippies report tx police on biden bus accident- say the \xe2\x80\x9cat-fault vehicle\xe2\x80\x9d may be a biden-harris staff car &amp; the \xe2\x80\x9cvictim\xe2\x80\x9d is a trump vehicle. \xe2\x80\x9cthe at-fault vehicle may be the white suv and the victim appears to be the black truck\xe2\x80\x9d,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n2130,11/1/2020,angel families on national day of remembrance 'trump is the only one who cares about our losses' political politics trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2131,11/1/2020,another brainwashed one foxnews is no more than a trump propaganda network and should be removed.  these damn conspiracy theories are stupid,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2132,11/1/2020,antifa in nyc is already stirring up trouble and clashing with nypd as the anarchists were attempting to intercept trump supporters who were peacefully marching.,United States of America,Nevada,NV,Donald Trump,0,-0.8\r\n2133,11/1/2020,are you mentioning about antifa \xe2\x80\x98s violence joebiden  not sure trump trump2020,United States of America,California,CA,Donald Trump,0,-0.8\r\n2134,11/1/2020,at second campaign rally of the day trump is joined by his daughter ivankatrump - \xe2\x80\x9ci love you and we all love this man - a warrior through and through\xe2\x80\x9d she says,United States of America,District of Columbia,DC,Donald Trump,1,0.7\r\n2135,11/1/2020,awesome-california has most gop for a fact members &amp;  probably trump supporters of any state,United States of America,California,CA,Donald Trump,1,0.7\r\n2136,11/1/2020,axios ohio\xe2\x80\x99s cases have been skyrocketing since he showed up with his crew justsaying trump,United States of America,Ohio,OH,Donald Trump,1,0.2\r\n2137,11/1/2020,axios reminds me of when trump said he takes full responsibility for covid19 and in the same sentence blames china during the last debate2020,United States of America,Illinois,IL,Donald Trump,2,0\r\n2138,11/1/2020,barbrastreisand \xf0\x9f\xa4\xa3 trump has never promoted violence or sown division. if you want to blame someone for that look no further than the dishonest and misleading msm. they're the culprits. he must remain in office for fourmoreyears to save this country from ruin from the leftists and socialism,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2139,11/1/2020,beg borrow and steal. this is trump trump camp uses online gimmick to fuel donations into december,United States of America,New York,NY,Donald Trump,0,-0.5\r\n2140,11/1/2020,best president since abraham lincoln. usa trump2020 trump maga2020 chinabiden chinajoe sleepyjoe,United States of America,New York,NY,Donald Trump,1,0.4\r\n2141,11/1/2020,biden - past his prime at 77  if true donaldtrump now 74 overweight and out of shape won\xe2\x80\x99t be able to finish a second term.,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n2142,11/1/2020,biden at his rallies when the trump supporters show up,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n2143,11/1/2020,biden campaign needs to be challenging republican ballots where there is undoubtedly chicanery. biden lawyers cannot just play defense. they must play offense against gop voters. trumpiscompromised resign trump bidenharristosaveamerica,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n2144,11/1/2020,biden team cancels texas event after trump supporters try to force his bus off highway  via thedailybeast,United States of America,California,CA,Donald Trump,0,-0.8\r\n2145,11/1/2020,bidenharristosaveamerica trump halloween,United States of America,California,CA,Donald Trump,1,0.2\r\n2146,11/1/2020,billpeduto trump in butler \xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xe2\x9d\xa4\xef\xb8\x8f,United States of America,Pennsylvania,PA,Donald Trump,1,0.3\r\n2147,11/1/2020,biting my tongue until trump wins re-election.. and this guy becomes irrelevant trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2148,11/1/2020,blackendowment truthhurts248 icecube we agree with cube trying to create change and a contract for blackamerica we just don't understand how anyone thinks trump cares about blackamericans mexicanamericans asianamericans when he riles up people who are racist towards people of color,United States of America,California,CA,Donald Trump,0,-0.8\r\n2149,11/1/2020,bluewavecoming please everyone get out and vote hard it's do or die now or never voteforyourlife votelikeyourlifedependsonitbecauseitdoes  vote out trump covidiots daylightsavings covid19 votebiden trump and his supporters and the republicans doesn't like this \xf0\x9f\x91\x87\xf0\x9f\x91\x87,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n2150,11/1/2020,british scientists are spot on trump is the worst,United States of America,Minnesota,MN,Donald Trump,0,-0.7\r\n2151,11/1/2020,bucketqueue trump,United States of America,Illinois,IL,Donald Trump,2,0\r\n2152,11/1/2020,business ap trump supporter at rally today for ga senator kelly loeffler,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n2153,11/1/2020,but according to trump supporters republicans don't things like this\xf0\x9f\xa4\xa8...texas,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n2154,11/1/2020,but the fbi is not investigating the endless riots across the country incited by democratic party for the past 6 months. double standard hypocrisy. trump,United States of America,New York,NY,Donald Trump,0,-0.5\r\n2155,11/1/2020,buttigieg denounces trump campaign for 'suppressing voters' calling it 'a stain on that campaign forever' whitehouse politics trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2156,11/1/2020,bye biden trump redwaverising2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n2157,11/1/2020,c'mon we must defeat trump and elect bidenharris but we must also flipthesenate to empower them to govern effectively. urbanagenda bospoli mapoli election2020,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n2158,11/1/2020,can you imagine if blm did this to a trump bus that orange ass-klown would be calling out the national guard.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2159,11/1/2020,can you say intimidation this sucks cars with trump flags surround biden campaign bus on tx highway.,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n2160,11/1/2020,can't trump just take his sharpee to the map and make it go to mexico,United States of America,California,CA,Donald Trump,0,-0.2\r\n2161,11/1/2020,carlibrosseau juliawall_ u know trump is wrong 4 america,United States of America,Missouri,MO,Donald Trump,0,-0.7\r\n2162,11/1/2020,cat cooling mat bogo sale  arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter  catsofinstagram  kittens trump,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n2163,11/1/2020,cat cooling mat bogo sale  arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter  catsofinstagram  kittens trump,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n2164,11/1/2020,cat cooling mat bogo sale  arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter  catsofinstagram  kittens trump,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n2165,11/1/2020,cat cooling mat bogo sale  arizona arizonacircle  bb22  covid19  gh israel kanganaranaut kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter  catsofinstagram  kittens trump,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n2166,11/1/2020,cat cooling mat bogo sale - arizona arizonacircle  bb22  covid19  gh israel kanganaranaut catsoftwitter  kamalaharris kiddwaya  mewgulf  netflix ps5 quotes cats  trumprally  azkar  votebidenharris2020 xrp catsoftwitter kids catsofinstagram  kittens trump,United States of America,Texas,TX,Donald Trump,2,0\r\n2167,11/1/2020,catturd2 interesting how the mods have now woken up and it's not trending anymore and has been replaced with a negative trump tag with fewer tweets than literally everything else on the list. faketrending,United States of America,Texas,TX,Donald Trump,2,0\r\n2168,11/1/2020,cindyabawi rollingstone let me guess. the bidentrain looks like peaceful protesters. also they all have mask on so you know they are not realdonaldtrump  supporters. bidencrimefamilly bidencrimesyndicate trump trumptraintexas,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n2169,11/1/2020,cnn what other forms of intimidation vandalism &amp; other more deadly forms of chaos &amp; mayhem will trump encourage &amp; endorse trump\xe2\x80\x99s support of domestic terrorism is apparent &amp; cannot be considered acceptable or legal. trumpisanationalsecuritythreat votebluetoendthenightmare,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n2170,11/1/2020,coming next trump or his extreme supporters attacking jewish doctors for inflating the covid-19 death figures. odds they'll make it an implied or indirect line of attack either in speeches or on ads or more directly on social media redditt. i put it at 40%. adl normornstein,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n2171,11/1/2020,con salsa y caravanas cubanos apoyan a trump en miami donaldtrump elecciones2020 miami,United States of America,Florida,FL,Donald Trump,1,0.5\r\n2172,11/1/2020,conflict expert on possible trump win thousands could 'storm white house' trump political whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n2173,11/1/2020,congress hasn't approved a coronavirus relief bill putting the us at risk of repeating a critical mistake from obama's 2009 stimulus. democrats want to avoid it. political politics trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2174,11/1/2020,cortez on foxnews looked very resigned even when trying to defend trump .,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n2175,11/1/2020,creeped out by the honking trump caravan downtown nashville tonight. useful idiots. donaldtrump doesn\xe2\x80\x99t like these people confused used sad people. nashville,United States of America,Tennessee,TN,Donald Trump,0,-0.4\r\n2176,11/1/2020,danpfeiffer we all know trump is known for projecting. well he\xe2\x80\x99s made this country a sh*thole.,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n2177,11/1/2020,davidcorndc what other forms of intimidation possibly vandalism maybe other more deadly forms of chaos &amp; mayhem will trump encourage &amp; endorse trump\xe2\x80\x99s own support of domestic terrorism is clearly apparent &amp; cannot be considered acceptable or legal.trumpmeltdown votersuppression,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n2178,11/1/2020,davidmweissman realdonaldtrump hillaryclinton biden is holding robert byrd hand. a cyclops from the kkk. biden eulogized him at his funeral. called him a mentor and friend. vote republican facts factsmatter trump trump2020 bidenharris bidencrimefamiiy bidenracist,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2179,11/1/2020,day 1453 fuck trump,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n2180,11/1/2020,dbongino i live in new river arizona. everyone in my family and friend group is voting trump except for 3 people and i am a gay woman,United States of America,Arizona,AZ,Donald Trump,0,-0.1\r\n2181,11/1/2020,ddale8 isn\xe2\x80\x99t this 2020 under trump   has the syphilis finally taken all his memory,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n2182,11/1/2020,ddale8 \xf0\x9f\xa4\xb7 if trump or biden win by a landslide then those votes really won't make much of a difference.  but if one of them win by a very close margin those votes will be extremely instrumental in deciding who'll be the next president. potus won't be whining then...,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n2183,11/1/2020,deanobeidallah trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n2184,11/1/2020,decipheredthe rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,1,0.1\r\n2185,11/1/2020,deeply disturbed by actions of some trump supporters in my home state of texas who attempted to force a biden campaign bus off the road. i don\xe2\x80\x99t care what your political affiliation is \xe2\x80\x94 this is never acceptable. ourchildrenarewatching,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n2186,11/1/2020,defund the police but after you investigate that trump train.,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n2187,11/1/2020,despite polls indicating very rough reelection pathways for trump &gt;his managementteam reportedly have started composing the maga structures of a secondterm government *,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n2188,11/1/2020,despite trump push to preserve centralized coal-fired power in the midwest ohio is determined to leave its past behind and pursue modern renewable vote for energy solutions.,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n2189,11/1/2020,deung_passeu rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,2,0\r\n2190,11/1/2020,did you say that donaldtrump is americasgreatestmistake,United States of America,California,CA,Donald Trump,0,-0.1\r\n2191,11/1/2020,disgusting this type of intimidating behavior is just what trump loves &amp; encourages. time to end this chaos. bidenharris2020toendthisnightmare,United States of America,Ohio,OH,Donald Trump,0,-0.3\r\n2192,11/1/2020,djjudd herdimmunity herdstupidity herdmentality herdimmunityismassmurder trump trumpmeltdown trumpcrimefamily trumpiscompromised trumpisnotamerica,United States of America,Georgia,GA,Donald Trump,2,0\r\n2193,11/1/2020,don't let trump and his terrorists intimidate you into not voting.  votelifeyourlifedependedonit  cause it does  votebidenharris  takebackamerica and lock up trump and the trumpterrorists,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2194,11/1/2020,donald trump is attacking the very core of america - wired political politicalparties trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n2195,11/1/2020,donald trump vs joe biden. epic rap battles of history,United States of America,New York,NY,Donald Trump,1,0.4\r\n2196,11/1/2020,donaldjtrumpjr gatewaypundit realdonaldtrump holy moly yall go trump,United States of America,Hawaii,HI,Donald Trump,0,-0.2\r\n2197,11/1/2020,donaldtrump and the gop are not running against thedemocrats... they're running against both america and democracy... guys like trump and senatemajldr mcconnell do not care about the american people no matter how much they say they do bidenharris2020 bluewave,United States of America,Michigan,MI,Donald Trump,0,-0.7\r\n2198,11/1/2020,donaldtrump are you trying to lose the presidency keep threatening a coup if election night doesn't go your waywhat do you expect america to do.let the people vote&amp; stop threatening to finger-bang the results. you said it best things are what they arebecause it is what it is.,United States of America,Indiana,IN,Donald Trump,0,-0.4\r\n2199,11/1/2020,donaldtrump donaldtrump2020 democratsaredestroyingamerica,United States of America,New York,NY,Donald Trump,1,0.3\r\n2200,11/1/2020,donaldtrump here's why trump should have battled michael avenatti instead of joe biden  joyvbehar meghanmccain mike_pence flotus donaldjtrumpjr jimmyfallon nygovcuomo wendywilliams michelleobama senwarren hillaryclinton trevornoah corybooker,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2201,11/1/2020,donaldtrump is a disgustingly gross horrible  hateful  lying corrupt greedy felonious cockwomble. trumpisanationaldisgrace,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n2202,11/1/2020,donaldtrump is gonna try everything to steal election2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n2203,11/1/2020,donaldtrump offers condolences for seanconnery claims bond actor helped him in scotland,United States of America,Illinois,IL,Donald Trump,1,0.2\r\n2204,11/1/2020,donaldtrump presidenttrump gopbetrayedamerica gop joebiden bidenharris2020,United States of America,New York,NY,Donald Trump,1,0.3\r\n2205,11/1/2020,dump trump make america great again \xf0\x9f\x98\x82,United States of America,California,CA,Donald Trump,1,0.3\r\n2206,11/1/2020,economists oppose trump  add to that list the author of this tweet. economists economy economics vote for biden2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n2207,11/1/2020,editorial cartoon from thatstevesack say one good thing about trump,United States of America,Minnesota,MN,Donald Trump,0,-0.1\r\n2208,11/1/2020,eeuu partidarios de trump bloquean la principal carretera de newjersey elecciones2020,United States of America,New York,NY,Donald Trump,2,0\r\n2209,11/1/2020,election 2020 live updates trump holds rallies in five states; biden focuses on pennsylvania - the washington post politics politicalviews trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n2210,11/1/2020,election night 2020 national state local up-to-the-minute race results. live coverage all night starting at 9pm on november 3rd on news 12. \xe2\x81\xa0vote2020 electionday trump biden news12,United States of America,New York,NY,Donald Trump,2,0\r\n2211,11/1/2020,election2020  democracyinstitutepoll donaldtrump set to win us presidency by electoralcollege landslide. trump2020 trump2020landslide or bidenharris2020,United States of America,Ohio,OH,Donald Trump,2,0\r\n2212,11/1/2020,election2020  final days biden vs trump. who\xe2\x80\x99s gonna win it,United States of America,New York,NY,Donald Trump,1,0.1\r\n2213,11/1/2020,ericcervini freedom of speech is not running a 77 year old widower off the road.  biden trump trumpispathetic usa,United States of America,California,CA,Donald Trump,0,-0.3\r\n2214,11/1/2020,ericcervini the confederacy needs to be extinguished. where are the cops oops they are the ones driving the trucks with the trump flags. solving 2 problems with one  law.  u wanna be a cop u can\xe2\x80\x99t be a racist. racism is a crime. trump is a living breathing hatecrime arresttrumptuesday,United States of America,Minnesota,MN,Donald Trump,0,-0.4\r\n2215,11/1/2020,ericcervini ugly folks use ugly and detestable means to prevail. hopefully texas will get them wrong and the people will get trump accountable to support them publicly stephenking,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n2216,11/1/2020,es una crueldad inimaginable shakira critic\xc3\xb3 las pol\xc3\xadticas migratorias de trump - miami diario,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n2217,11/1/2020,even w/ terminal cancer rushlimbaugh\xe2\x80\x99s \xe2\x80\x9cfinal\xe2\x80\x9d mission is to reelect trump . you would think as your days are coming to an end you might want to get right with god or whomever you believe in....and try to make some amends for the wretched life you\xe2\x80\x99ve lived amjoy,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n2218,11/1/2020,even with covid in 2020 were better off than we were in 2015 under barackobama joebiden -try to tell me i\xe2\x80\x99m wrong \xf0\x9f\x98\xacrealdonaldtrump saved our economy got us out of horrible trade deals cut regulations &amp; taxes &amp; brought the american dream back god send trump biden,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n2219,11/1/2020,even with the trump2020 momentum and record crowds everywhere msm and morning show already prepping the sleepers for no clear winner on november 3. hang on to your seats folks this is going to be a bumpy ride trump2020landslide realdonaldtrump trump,United States of America,Iowa,IA,Donald Trump,0,-0.6\r\n2220,11/1/2020,every day is halloween we catch up on oral issues sick parents hunterbiden antifa fascist facebook trump &amp;the pandemic. bored with fighting with your spouse or loved one listen to us fight instead.  nowplaying,United States of America,California,CA,Donald Trump,0,-0.2\r\n2221,11/1/2020,every trump ad is just lies and scare tactics... they are so full of shit they say anything they want and call it fact. a bunch of sickening jagoffs. i can\xe2\x80\x99t wait until you lose \xf0\x9f\x96\x95\xf0\x9f\x8f\xbb\xf0\x9f\x96\x95\xf0\x9f\x8f\xbb\xf0\x9f\x96\x95\xf0\x9f\x8f\xbb,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n2222,11/1/2020,facebook is afraid of trump.,United States of America,Michigan,MI,Donald Trump,0,-0.8\r\n2223,11/1/2020,fakenewsmedia maga2020landslidevictory trump,United States of America,Georgia,GA,Donald Trump,2,0\r\n2224,11/1/2020,father we plead the blood of christ over the united states and our leaders. we \xe2\x80\x9cask\xe2\x80\x9d for protection and your will and we ask this in yeshua\xe2\x80\x99s sweet and mighty name amen. jesus yeshua pray prayer church christian christianity christian pastor bibleverse bible trump,United States of America,Florida,FL,Donald Trump,1,0.1\r\n2225,11/1/2020,fatty mcfatty 320lbs trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n2226,11/1/2020,fauci agreed with all  trump's decisions.,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2227,11/1/2020,foxnews trump is a \xe2\x80\x9cconman in chief\xe2\x80\x9d how times have changed...,United States of America,California,CA,Donald Trump,0,-0.2\r\n2228,11/1/2020,frankluntz is that hard to figure out trump cult will turn on the local media....they already turned on the national media....followdamoney....,United States of America,Louisiana,LA,Donald Trump,0,-0.5\r\n2229,11/1/2020,galleonstudios sylviogoncalves rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,1,0.1\r\n2230,11/1/2020,garridodp \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 i knew you didn\xe2\x80\x99t care about america btw name one person killed by trump kag,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2231,11/1/2020,get out and vote trump north carolina election2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n2232,11/1/2020,global military justice reform a postscript to the gallagher case  transparency dod usarmy usn uscg usmc usaf armedforces warcrimes militaryjustice courtsmartial militarycourts trump,United States of America,Connecticut,CT,Donald Trump,2,0\r\n2233,11/1/2020,good trouble. trump trumpcoup election2020 electionday johnlewis,United States of America,Virginia,VA,Donald Trump,2,0\r\n2234,11/1/2020,gop realdonaldtrump 400000 americans dead of covid19 under trump \xe2\xac\x87\xef\xb8\x8f,United States of America,California,CA,Donald Trump,2,0\r\n2235,11/1/2020,gop realdonaldtrump all together for america all together for trump trump,United States of America,New York,NY,Donald Trump,1,0.2\r\n2236,11/1/2020,gop realdonaldtrump america first trump,United States of America,Michigan,MI,Donald Trump,2,0\r\n2237,11/1/2020,gop realdonaldtrump i wouldn't vote for donald trump if i was offered one year of america's gpd. he's morally and ethically bankrupt.,United States of America,Tennessee,TN,Donald Trump,0,-0.8\r\n2238,11/1/2020,gop realdonaldtrump it\xe2\x80\x99s too funny that you idiots have hitched your wagon to that horse\xe2\x80\x99s ass donald trump. one flush on tuesday and you\xe2\x80\x99re both gone.,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n2239,11/1/2020,gop senatemajldr texasgop flgoingblue theflgop - undecidedvoters reading this -what good has trump done for this country  has he cut your taxes by 20% like the elite rich  his healthcare plan - he wants to abolish aca &amp; give empty promises that it\xe2\x80\x99s coming. voteblue,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n2240,11/1/2020,gopchairwoman realdonaldtrump thank you gopchairwoman for being such a powerful voice for americans and trump,United States of America,Tennessee,TN,Donald Trump,1,0.9\r\n2241,11/1/2020,govmikehuckabee endorsing bill olson in central florida. what an honor to meet such an incredible person. hubby could only see him via facetime. one day he will get to shake his hand trump trump2020 godblessamerica,United States of America,Florida,FL,Donald Trump,2,0\r\n2242,11/1/2020,gtconway3d what other forms of intimidation possibly vandalism maybe other more deadly forms of chaos &amp; mayhem will trump encourage &amp; endorse trump\xe2\x80\x99s support of domestic terrorism is clearly apparent &amp; cannot be considered acceptable or legal.trumpisanationaldisgrace votersuppression,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n2243,11/1/2020,halloween in trump-world. \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbb\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n2244,11/1/2020,hamidmu60973503 ign rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,1,0.1\r\n2245,11/1/2020,happy halloween  snickers best candy bar ever  small hands down trump halloween2020,United States of America,California,CA,Donald Trump,1,0.9\r\n2246,11/1/2020,happy obama day signing up for healthcare at the moment. hopefully i don\xe2\x80\x99t lost my coverage in lieu of a health plan that doesn\xe2\x80\x99t exist.  realdonaldtrump trump bidenharris,United States of America,Wisconsin,WI,Donald Trump,1,0.1\r\n2247,11/1/2020,he sounds exactly like an abusive boyfriend my god trump americasgreatestmistake trumpcovid19 votehimout,United States of America,Nevada,NV,Donald Trump,0,-0.9\r\n2248,11/1/2020,here were a few things we talked about 4 years ago that we needed to do to survive trump's america.  let's see if this continues after tuesday trump bidenharrislandslide2020 vote vote2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n2249,11/1/2020,hey donaldjtrumpjr i left the cocaine in the bunker. trump trump2020 maga2020 maga trumpislosing trumpcovid19 trumpiscompromised trumpiscompromised trump2020tosaveamerica,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2250,11/1/2020,hey donaldtrump you hear this,United States of America,Oregon,OR,Donald Trump,2,0\r\n2251,11/1/2020,hey gop dallasgop why was the delegation from the dallas dyslexic republican association turned away from the republican national convention... their placard read 'we love taxes.'  election2020 debates2020 trump biden texas,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n2252,11/1/2020,hey police if you\xe2\x80\x99re about to start a sentence with \xe2\x80\x9ci understand that some people think we spray peppered children...\xe2\x80\x9d then maybe you should rethink some things anyway. acab defundthepolice votethemout voteblue biden trump vote,United States of America,California,CA,Donald Trump,0,-0.5\r\n2253,11/1/2020,highwayambush  --- according to intriguingnews reports trump's footsoldiers used their mobilized maga zealots magacalvary to ambush the cars of biden's campaign team &amp; scare them bidenites away from a texas **,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n2254,11/1/2020,hip hop is something blacks can't just claim when it is convenient &amp; throw away when it's not. barackobama drone striked &amp; killed black &amp; brown ppl for 8 yrs globally but rappers &amp; athletes meeting w/ him or joebiden is fine while meeting w/ trump or pence is not comical.,United States of America,California,CA,Donald Trump,0,-0.3\r\n2255,11/1/2020,his name is donaldtrump not \xe2\x80\x9cgeorge w.bush\xe2\x80\x9d elderabuse unfittobepresident democratsaredestroyingamerica dementia bideniscompromised bidencompromised voteredlikeyourlifedependsonit trump2020tosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2256,11/1/2020,hispanic men in fl in particular are more willing to support trump.  disgraceful    realdonaldtrump\xe2\x81\xa9 faces larger gender gap in the hispanic community than he is over all latinas favor \xe2\x81\xa6joebiden\xe2\x81\xa9 by 39 points  latinaswillsavedemocracy,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2257,11/1/2020,hollybdc but ny police did nothing  about trump cult blocking the mario cuomo bridge,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n2258,11/1/2020,hollycroft what if trump argues in court that voting should be cut short by an hour because we all know democrats created daylight savings time in order to goose their vote tallies that's right daylight savings time is a democrat scam \xf0\x9f\x98\x89,United States of America,Oregon,OR,Donald Trump,0,-0.7\r\n2259,11/1/2020,how can anybody support trump &amp; justify the actions of his supporters. how is it ever acceptable to attempt vehicularhomicide on the highway they really are deplorables and their whole operation is nothin but a cult election2020  texas vote2020 vote thedopewriterchic,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n2260,11/1/2020,huffpostpol what other forms of intimidation vandalism &amp; even other more deadly forms of chaos &amp; mayhem will trump encourage &amp; endorse trump\xe2\x80\x99s support of domestic terrorism is apparent &amp; cannot be considered acceptable or legal. trumpisadomesticterrorist votebluetosaveamerica votebiden,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n2261,11/1/2020,i am so sick of the color red. glad it's not in my color wheel plus hoping we bring it on tuesday so that color no longer appears on my screen. and did billyjoel actually give trump permission to use his music at his rally doubt it. votebluetoendthenightmare votehimout,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n2262,11/1/2020,i bet when trump moves out of the whitehouse they will have to call one of those pet mess sanitizing services to clean and deodorize the whitehouse before biden moves in. several of the walls and the resolute desk have probably been marked.,United States of America,California,CA,Donald Trump,0,-0.4\r\n2263,11/1/2020,i can't emphasize this enough polls are not votes. if democrats want to defeat president donaldtrump and elect joebiden then we have to show up and vote.,United States of America,Maryland,MD,Donald Trump,0,-0.6\r\n2264,11/1/2020,i don't remember a trump cameo in itsthegreatpumkincharliebrown \xf0\x9f\x8e\x83\xf0\x9f\xa4\xa3 make halloween great again \xf0\x9f\x98\x85\xf0\x9f\xa4\xaa donaldtrump charliebrown pumpkin electionday halloween2020 halloween trumpmeltdown snoopy,United States of America,New York,NY,Donald Trump,1,0.5\r\n2265,11/1/2020,i don't speak cult so i'm confused what are the trump caravans filled with his members of y'all queda supposed to do exactly not the assholes who ran busses off the road b/c that's obvious but i mean the ones who are just driving up &amp; down highways is there a point to this,United States of America,California,CA,Donald Trump,0,-0.8\r\n2266,11/1/2020,i gotta ask  votegiles and barnettforaz davidschweikert and marthamcsally - are you comfortable with trump hiring an imbecile like scottatlas to run our nation\xe2\x80\x99s covid response az09 az07 az06 az azsen arizona,United States of America,Arizona,AZ,Donald Trump,0,-0.1\r\n2267,11/1/2020,i hate that trump makes markruffalo have to be so angry. i don\xe2\x80\x99t like it when he\xe2\x80\x99s angry vote votehimout2020,United States of America,Rhode Island,RI,Donald Trump,0,-0.9\r\n2268,11/1/2020,i have already voted for joebiden because he will protect medicare and social security. trump has already attacked both. also trump's horrendous handling of covid19 showed his lack of concern for seniors and for life in general easy choice. aarpadvocates,United States of America,New York,NY,Donald Trump,0,-0.2\r\n2269,11/1/2020,i love how the trump team is criticizing \xe2\x81\xa6ladygaga\xe2\x81\xa9 when they themselves asked her to participate in a public health coronavirus psa in a now-scrapped plan called \xe2\x80\x9cdefeat despair\xe2\x80\x9d ad campaign. she declined trump\xe2\x80\x99s offer \xf0\x9f\x98\x82,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n2270,11/1/2020,i love trump but he is a dancer like elaine  lol this tweet proved to the world that i am a trump supporter not a trump worshipper.,United States of America,New York,NY,Donald Trump,1,0.1\r\n2271,11/1/2020,i loved spitting image in the 80s. good to see it again and capturing the boy from queens so well. trump.,United States of America,Florida,FL,Donald Trump,1,0.4\r\n2272,11/1/2020,i made 'why re-elect trump' collateral because i wanted to do my part in helping the best president in my lifetime realdonaldtrump. please rt &amp; share trumptrain trump2020 election2020 trump2020landslide,United States of America,New York,NY,Donald Trump,2,0\r\n2273,11/1/2020,i must say i'm bitterly disappointed with my old favorite jaynordlinger. with the gains of the last four years and the very future of this country at stake he still urges republicans and conservatives not to vote for donaldtrump. this is the reverse of patriotism.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2274,11/1/2020,i prefer the titles the false prophet and the beast. more on point.  trump erdogan,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n2275,11/1/2020,i want this playing 24x7 across the street of every trump supporter.,United States of America,Ohio,OH,Donald Trump,1,0.3\r\n2276,11/1/2020,i worry that far too many analysts are forgetting the power of incumbency when forecasting the result of electionday if trump loses he\xe2\x80\x99d be the first incumbent of the modern era to do so having not been weakened by a primary challenge. 2020elections,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n2277,11/1/2020,i'd like to know why after 8 months and a second wave already here why are the still shortages of proper ppe by now i should be able to go to homedepot and buy ppe for myself and my family.. wtf trump 2 more days.. vote elections2020,United States of America,Colorado,CO,Donald Trump,0,-0.7\r\n2278,11/1/2020,i'll likely post more about this on electionday evening but by 538's reckoning biden has a pretty solid 226 electoral votes to start. multiple paths exist for him to get the remaining 44. trump by contrast has a much more uphill battle. election2020 +,United States of America,Georgia,GA,Donald Trump,1,0.2\r\n2279,11/1/2020,i'm watching/listening to the trump hickorync foxnews live feed and the audio....is not great. i hope they fix it. i like this song don't stop believin'.,United States of America,Oregon,OR,Donald Trump,0,-0.2\r\n2280,11/1/2020,iamshaydawg richardgrenell realdonaldtrump i live with the black community in a popular black city. i love diversity. trump is wrong for america,United States of America,Missouri,MO,Donald Trump,1,0.2\r\n2281,11/1/2020,if for some reason you still think trump will be able to fix the economy amidst covid19 just look at how he handles his casinos whenever they run into trouble. he failed them and their workers. bidenharris2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.1\r\n2282,11/1/2020,if harvey weinstien can go down...so can trump,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n2283,11/1/2020,if it is to be it\xe2\x80\x99s up to me chicagov12 chicago trump biden vote newyork la,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n2284,11/1/2020,if they can do it we can do it. fuck trump maga &amp; the gop trumpcovidcatastrophe,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n2285,11/1/2020,if this is viral u know trump might pull it out-i hope not but this kind of talk will put certain people over an edge they're already hanging off of qstorm3476 clairelanay sepia_cinema daryllbenjamin lainad racheldecoste ragnaruck orange_hoodoo unclehotep afronerdradio,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2286,11/1/2020,if trump and the gop win this election by cheating of course we are in for four more years of covid lockdowns and social distancing. he still doesn\xe2\x80\x99t have a national strategy after a quarter of a million americans are dead.,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n2287,11/1/2020,if trump loose this election he will loose cause there\xe2\x80\x99s still republicans out there who abandon the sociopaths party known as gop.,United States of America,Nevada,NV,Donald Trump,0,-0.8\r\n2288,11/1/2020,if trump wins on tuesday it will be in part through voters motivated by their fury with the mainstream media\xe2\x80\x99s behavior even if they may not particularly like trump.,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n2289,11/1/2020,if we examine trump\xe2\x80\x99s actions &amp; inactions the only reasonable conclusion is more dead americans is trump\xe2\x80\x99s goal.,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n2290,11/1/2020,if you consider only one thing as you vote make it this realdonaldtrump loves that his supporters in texas tried to run a biden bus off the road...  trump election2020,United States of America,New York,NY,Donald Trump,2,0\r\n2291,11/1/2020,immaslapyomomma angryjoeshow fiedler70 angelgo11869308 wintermaul55 harryp_ness69 lewis30730015 well i\xe2\x80\x99m checking out of twitter after 5 minutes of my day. jesus christ guys this tribalism is insane. bottom line is dems don\xe2\x80\x99t do anything to help anyone trump does so he has my vote again \xf0\x9f\x91\x8d trump 2020. anyone calling anyone else a nazi in 2020 should be ashamed.,United States of America,California,CA,Donald Trump,0,-0.2\r\n2292,11/1/2020,interesting closing campaign message by trump - syria is better than michigan,United States of America,Florida,FL,Donald Trump,1,0.1\r\n2293,11/1/2020,interesting opinion on what russia thinks about trump's presidency and a possible biden presidency...,United States of America,Pennsylvania,PA,Donald Trump,1,0.4\r\n2294,11/1/2020,ion care much for politics. but the president of the united states should be a leader. i don\xe2\x80\x99t see how ppl could want a man like donald trump in office. that alone should be enough for anyone not to vote for him. donaldtrump bidenharristosaveamerica,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n2295,11/1/2020,is it possible the trump supporters are being left stranded bcuz trump is low on money trumpispathetic donaldtrump trumpdevastation,United States of America,California,CA,Donald Trump,0,-0.7\r\n2296,11/1/2020,is realdonaldtrump actually reimbursing taxpayers for time spent campaigning while using air force one other taxpayer funded resources.donaldtrump,United States of America,Nebraska,NE,Donald Trump,0,-0.6\r\n2297,11/1/2020,is this the sequel to mad max fury road vote bidenharris2020 trump campaignbus,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2298,11/1/2020,it is important to note that the church had a permit to march &amp; a police escort. somehow they still managed to get pepper-sprayed. trump'samerica,United States of America,Virginia,VA,Donald Trump,2,0\r\n2299,11/1/2020,it looks like bicoin enthusiasts are generally trump supporters. bitcoin trump,United States of America,Massachusetts,MA,Donald Trump,0,-0.3\r\n2300,11/1/2020,it's despicable and immoral that biden obama and trump's other enemies would use the deaths of 230000 americans as campaign props to take back power while blaming the president for mishandling the covid19 pandemic and not having a plan when just the opposite is true.kag,United States of America,Nevada,NV,Donald Trump,0,-0.9\r\n2301,11/1/2020,it's progressive to vote for trump trump trump2020 vote,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2302,11/1/2020,it\xe2\x80\x99s incredible how people who were at the trump omaharally tell the truth people who were not there truly believe \xe2\x80\x9cit\xe2\x80\x99s trumps fault\xe2\x80\x9d wake up fakenewsmedia always make it trumps fault redwave draintheswamp kag2020trumpvictory maga2020 voteredlikeyourlifedependsonit,United States of America,New York,NY,Donald Trump,1,0.1\r\n2303,11/1/2020,it\xe2\x80\x99s time to \xe2\x80\x9cflood\xe2\x80\x9d the streets and the internet with trump signs  wall-to-wall trump trumpisunfitforoffice biden2020 bidenrally 4moreyears trumplandslidevictory2020 fly102att.net patriot_pa,United States of America,Arizona,AZ,Donald Trump,0,-0.4\r\n2304,11/1/2020,i\xe2\x80\x99m confused i just saw a trump ad saying that joebiden and kamalaharris are corrupt followed by \xe2\x80\x9cdrain the swamp.\xe2\x80\x9d  yes please drain the swamp of its current monsters.,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n2305,11/1/2020,i\xe2\x80\x99m sure there are bubbas who think this is funny but the fbi is looking into an incident in which a group of trucks waving trump flags caused a collision on i-35 when they surrounded and followed a biden campaign bus. where was the dps | texastribune,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n2306,11/1/2020,jaketapper cherijacobus report this trump post for harassment report twitter twitterhelp twittersupport,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n2307,11/1/2020,jbncarolina dinaroberts you think a man that has authored more crime bills aimed at imprisoning black &amp; brown people and who has done nothing for black americans in his 43 yrs in office is now going to solve all your problems come on man i\xe2\x80\x99ll stick with trump.,United States of America,New York,NY,Donald Trump,0,-0.9\r\n2308,11/1/2020,jennabushhager please compel your dad to speak out against this type of behavior by trump supporters in tx. the current republican president is applauding and encouraging it,United States of America,California,CA,Donald Trump,0,-0.2\r\n2309,11/1/2020,jerkoftheday  contact tracking found these trump allies yielded 3000 infections with 70 dead. trumpers you love this deprived man more than your families  is grandma auntie or mom worth the sacrifice  i thought life was sacred for you folks covid prolife vote,United States of America,New York,NY,Donald Trump,2,0\r\n2310,11/1/2020,joebiden all politicians are liars and that\xe2\x80\x99s what you need to remember. i\xe2\x80\x99ve been watching biden flip-flop for months and at this point he\xe2\x80\x99s saying whatever needed to get your vote. vote bidenharristodestroyamerica trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n2311,11/1/2020,joebiden barackobama and donaldtrump can\xe2\x80\x99t do the job of potus. that\xe2\x80\x99s evident.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n2312,11/1/2020,joebiden should remind americans at campaign stops today and tomorrow that trump 2017 tax cut will increase taxes on those making $75k or less starting next year and continuing through 2027.,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n2313,11/1/2020,joebiden trump encouraged his followers to engage in terrorist activity,United States of America,California,CA,Donald Trump,0,-0.8\r\n2314,11/1/2020,johnbrennan you are the last person who can lecture on character honesty etc.  vote trump,United States of America,Kentucky,KY,Donald Trump,0,-0.7\r\n2315,11/1/2020,joncoopertweets trump abandons his \xe2\x80\x9csupporters\xe2\x80\x9d because he doesn\xe2\x80\x99t see people as individuals or have the emotion of \xe2\x80\x9cappreciation\xe2\x80\x9d \xe2\x80\x9cgratitude\xe2\x80\x9d or of \xe2\x80\x9ccare\xe2\x80\x9d. trump is a sociopath for more detailed understanding book some sessions time w/me.,United States of America,California,CA,Donald Trump,0,-0.2\r\n2316,11/1/2020,jordan_q_ utah.  voted in person for trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Utah,UT,Donald Trump,1,0.2\r\n2317,11/1/2020,juxtaposition  conn wynn  trump biden covid election2020,United States of America,California,CA,Donald Trump,2,0\r\n2318,11/1/2020,kamalaharris joebiden your plan is to close down the country and copy exactly what trump's team is already doing. who do you think you're fooling with this empty rhetoric some 70 iq voters with a mental problem please kamala kamalaharris trump trump2020landslide maga covid19,United States of America,New York,NY,Donald Trump,0,-0.7\r\n2319,11/1/2020,kamalaharris you won't win florida. trump is crushing you there. joe biden ran on no platform at all except hate trump and trump bad for pandemic joe biden raped tara reade and called black people super predators. this is totally unpresidential and impossible to vote for biden trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2320,11/1/2020,kayleighmcenany realdonaldtrump don\xe2\x80\x99t worry  after the mask-less idiots spread more covid some more maga fans will be dead or too sick to vote.  trumpantichrist trump evil morals values america,United States of America,California,CA,Donald Trump,0,-0.6\r\n2321,11/1/2020,kevinmkruse morgfair rickklein loves cozying up to trump and his lackeys. he\xe2\x80\x99s done it since day one,United States of America,New York,NY,Donald Trump,1,0.4\r\n2322,11/1/2020,lagoatitlan2002 ryanstruyk with all due respect there is video of one of the trump trucks actually hitting a biden suv in the convoy. trucks were surrounding harassing driving recklessly. it was an incredibly stupid and damaging stunt for these trump supporters to pull. and trump now magnifies story,United States of America,Alabama,AL,Donald Trump,0,-0.6\r\n2323,11/1/2020,lagoatitlan2002 ryanstruyk yes there are plenty of bad actors on the far left. and media doesn\xe2\x80\x99t always report on them with the same vigor as they do rogue trump supporters. but as a conservative i\xe2\x80\x99m much more grieved over what is happening in \xe2\x80\x9cmy family.\xe2\x80\x9d and as a christian even more so.,United States of America,Alabama,AL,Donald Trump,0,-0.3\r\n2324,11/1/2020,lasvegas nevada trumprally trump2020 trump2020landslide americafirst trump maga kag voteredtosaveamerica november1st,United States of America,Arizona,AZ,Donald Trump,2,0\r\n2325,11/1/2020,let\xe2\x80\x99s end this nightmare this week trump trumpterroism votebluetoendthenightmare votebiden,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n2326,11/1/2020,let\xe2\x80\x99s humiliate trump. vote vote2020 votehimout votetrumpout,United States of America,Massachusetts,MA,Donald Trump,1,0.1\r\n2327,11/1/2020,like this tweet if you believe that donald trump will be re-elected in 2 days trump vs biden trumplandslidevictory2020 potus trump2020,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n2328,11/1/2020,lilpump says he will leave america for colombia if donaldtrump isn\xe2\x80\x99t re-elected,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n2329,11/1/2020,listen. if you\xe2\x80\x99re dumb enough to support trump and attend trumprallies you deserve to be left out the cold to get hypothermia and covid. i heard both were a democratic hoax anyway so... vote2020 vote votehimout votethemallout bidenharris election2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n2330,11/1/2020,little bitch trump is whining about the scotus decision in allowing mailed-in ballots to be counted after nov 3.,United States of America,California,CA,Donald Trump,0,-0.7\r\n2331,11/1/2020,live - trump vs. biden - extreme rules wwe2k20,United States of America,Alabama,AL,Donald Trump,2,0\r\n2332,11/1/2020,live trump vs. biden election updates texas court denies g.o.p. push to throw out votes - the new york times,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2333,11/1/2020,lockdown time realdonaldtrump trump owns the covod19deaths,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2334,11/1/2020,looks a bit different than trump \xf0\x9f\x8c\x8a\xf0\x9f\x8c\x8a\xf0\x9f\x8c\x8a,United States of America,Tennessee,TN,Donald Trump,2,0\r\n2335,11/1/2020,looks like a trump self portrait,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n2336,11/1/2020,lots of enthusiasm on the roads in this last sunday before election day. trump supporters in nj,United States of America,Florida,FL,Donald Trump,1,0.3\r\n2337,11/1/2020,lougarza86 i\xe2\x80\x99m not sure. i feel like trump allowed all the racists out of the closet &amp; now they refuse to go back in. i don\xe2\x80\x99t know how you fix this &amp; how do you explain to stupid ppl that hate is not the way. it\xe2\x80\x99s so disheartening. trumpisaracist bidenharris2020,United States of America,California,CA,Donald Trump,0,-0.5\r\n2338,11/1/2020,lunes 830am sintoniza almoraradiotv electionday trump biden florida vote decisions2020 election2020 elecciones2020 thankful,United States of America,Florida,FL,Donald Trump,1,0.4\r\n2339,11/1/2020,lunes 830am sintoniza almoraradiotv electionday trump biden florida vote decisions2020 election2020 elecciones2020 thankful,United States of America,Florida,FL,Donald Trump,1,0.4\r\n2340,11/1/2020,lunes 830am sintoniza almoraradiotv electionday trump biden florida vote decisions2020 election2020 elecciones2020 thankful,United States of America,Florida,FL,Donald Trump,1,0.4\r\n2341,11/1/2020,maddow gop and gopchairwoman playbook is trumpterroism votersuppression intimidation  trump is a terrorist leader ronna claims she hasn\xe2\x80\x99t seen the video\xf0\x9f\xa4\x94.,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2342,11/1/2020,maga kag trump,United States of America,California,CA,Donald Trump,2,0\r\n2343,11/1/2020,maga maga2020landslide kaga trump2020 trump2020landslide trump,United States of America,New York,NY,Donald Trump,2,0\r\n2344,11/1/2020,maga trump2020landslide trump trumpislosing realdonaldtrump jobs,United States of America,Illinois,IL,Donald Trump,2,0\r\n2345,11/1/2020,maga will you vote for biden  no one will know if you don't vote for trump and vote bidenharristosaveamerica \xf0\x9f\xa6\x85\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,California,CA,Donald Trump,0,-0.5\r\n2346,11/1/2020,maga2020 trump potus  magats when the hospital is full you\xe2\x80\x99re refused medical carewill suffer immenselyor dieleaving your family with a $3000 funeral cost;trump\xe2\x80\x99s not going to save you. trump can\xe2\x80\x99t kill you fast enough. sickbrokeor dead for christmas.holidays cancelled.,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n2347,11/1/2020,maggienyt what other forms of intimidation vandalism &amp; even more deadly forms of chaos &amp; mayhem will trump encourage &amp; endorse trump\xe2\x80\x99s support of domestic terrorism is apparent &amp; cannot be considered acceptable or legal. trumpisnotamerica votebluetoendthenightmare votebidenharris,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n2348,11/1/2020,make america great again thingstrumpsay trump iamtrump iwin america,United States of America,New York,NY,Donald Trump,2,0\r\n2349,11/1/2020,make trump a 1 term presidenttrump is a pretender; ill-equipped unfit ill-prepared inept uninformed disinterested in reality and he must be fired potus obama obamawasbetterateverything barackobama bidenharris vote\xc2\xa0 trumpispathetic trumpvirus covid19 coronavirus,United States of America,California,CA,Donald Trump,0,-0.8\r\n2350,11/1/2020,markmeadows what happened dumbass trumpvirus trump,United States of America,California,CA,Donald Trump,0,-0.2\r\n2351,11/1/2020,maryltrump thanks for your bravery revealing the real donaldtrump . honesty patriot,United States of America,New York,NY,Donald Trump,1,0.8\r\n2352,11/1/2020,matthewjshow realdonaldtrump you are so sad... i\xe2\x80\x99m sorry you never had a father who loved you that you think trump retweet\xe2\x80\x99s give you validation. it\xe2\x80\x99s really quite pathetic.  he doesn\xe2\x80\x99t give a sh*t about you or even his own sons only himself. i hope you get the help you need.,United States of America,California,CA,Donald Trump,0,-0.6\r\n2353,11/1/2020,maxine waters black trump voters are 'shameful' -- 'i will never ever forgive them' trump government political,United States of America,District of Columbia,DC,Donald Trump,0,-0.9\r\n2354,11/1/2020,meet trump\xe2\x80\x99s latest putinpuppet hillarywarnedus,United States of America,New York,NY,Donald Trump,2,0\r\n2355,11/1/2020,meghanmccain yeah trump isn\xe2\x80\x99t going to do that...,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n2356,11/1/2020,mkraju he is overweight has high blood pressure never exercises yet trump is a \xe2\x80\x9cperfect specimen of what a heart attack waiting to happen he was cured of covid by experimental drugs not on the market for ppl who do not in a glass tower. do not believe him.,United States of America,Washington,WA,Donald Trump,0,-0.6\r\n2357,11/1/2020,montaga after trump win his supporters are still goin to be mad\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f what the fuck are they so angry about you got what you wanted lower taxes with a higher national deficit elimination of the aca with no replacement more jobs with stagnant wages a stock market with record highs and lows,United States of America,Maryland,MD,Donald Trump,0,-0.9\r\n2358,11/1/2020,more proof that realdonaldtrump is not a friend to armenians or artsakh trump has had multiple business ventures in turkey &amp; azerbaijan since 1015 &amp; still does. potus in the whitehouse is not to be trusted. recognizeartsakh,United States of America,California,CA,Donald Trump,0,-0.2\r\n2359,11/1/2020,more than 92 million americans have voted representing 67% of all votes counted in 2016 joebiden realdonaldtrump kamalaharris mike_pence election2020 electionday elections2020 electoralmap biden trump  via todaynewsafrica,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n2360,11/1/2020,mrandyngo anyone in those buildings that doesn\xe2\x80\x99t vote trump deserves what they get,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n2361,11/1/2020,msnbc repeating unsubstantiated stats w/o documented facts about fauci &amp; other qualified members of the healthcare community until they may become believed by at least some people is obnoxious tactic being used by trump. this atrocious behavior does not belong in our whitehouse,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n2362,11/1/2020,natesilver538 nate silver saying biden has a 90 percent chance &amp; trump 10 percent is even more absurd than his 2016 hillary 71% final prediction. thisweekabc electionday,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n2363,11/1/2020,nc let\xe2\x80\x99s elect a true conservative and a trump supporter thomtillis maga trump2020 nc,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n2364,11/1/2020,network news buries historic trump peace deal  donaldtrump,United States of America,Missouri,MO,Donald Trump,1,0.3\r\n2365,11/1/2020,new  poll shows president trump leadind biden by 7 points in iowa.,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n2366,11/1/2020,new suffolk county voted twice for obama before switching to trump in 2016. what will happen this electionday a deep dive from me and \xe2\x81\xa6bkriegstein\xe2\x81\xa9,United States of America,New York,NY,Donald Trump,0,-0.5\r\n2367,11/1/2020,newlow trump was disgusted with texas supreme court decision to allow 120000 ballots collected via drive through ballot drop box in texas. tomorrow a federal judge will hear the same case as republican desire for in second bite at the apple.,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n2368,11/1/2020,news about trump regime corruption spreading just like the trumpvirusdeathtoll230k  - voteouteveryrepublican votebluedownballot bluewave2020,United States of America,Hawaii,HI,Donald Trump,0,-0.7\r\n2369,11/1/2020,newsflash thedemocrats chose joebiden like they did hillaryclinton. votes never mattered. the dnc rigged 2 democraticparty primaries out of fear. they are complicit in why trump is competitive. always. \xf0\x9f\x92\xaf\xe2\x9c\x94\xef\xb8\x8f\xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f,United States of America,California,CA,Donald Trump,2,0\r\n2370,11/1/2020,nice job trumpers - ambulance sdfd m3 is stuck in the trump caravan gridlock on  the 5 the way to a call. 100 trumpers stopped on the freeway blocking offramps. sandiego sandiegopd kevin_faulconer,United States of America,California,CA,Donald Trump,1,0.1\r\n2371,11/1/2020,no matter who we elect as potus we\xe2\x80\x99re still stuck with trump until at least january 20 2021. until then trump\xe2\x80\x99s going to allow the trumpvirus to kill as many of us as possible.,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n2372,11/1/2020,no one deserves to be treated this way oopstrumpdiditagain trump   trumpsuperspreaderevent,United States of America,California,CA,Donald Trump,0,-0.8\r\n2373,11/1/2020,not a \xe2\x80\x9cshy trump voter\xe2\x80\x9d 2020election trump trump2020 vote,United States of America,Nevada,NV,Donald Trump,0,-0.4\r\n2374,11/1/2020,obama hammers trump's claim that doctors have inflated coronavirus numbers \xe2\x80\x94\xe2\x80\x94&gt;,United States of America,Ohio,OH,Donald Trump,0,-0.8\r\n2375,11/1/2020,ok so realdonaldtrump left his supporters outside in butlerpa again.  no big surprise from a frigid bitch. trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n2376,11/1/2020,okay everybody. i'm a little bit late for the start of the trump rally in hickory nc but....nope it's cool. donnie isn't even there yet. let's go ahead and get this thread started.,United States of America,Oregon,OR,Donald Trump,2,0\r\n2377,11/1/2020,on election night i will be on cgtnofficial cgtnamerica discussing the election results from midnight to 4am ny time. elections joebiden donaldtrump elections2020,United States of America,New York,NY,Donald Trump,2,0\r\n2378,11/1/2020,once again i feel its the right time for a reminder. i am not a bot. i am not an automated account. i am a flesh and blood american man. my opinions are my own. i have the right to resist trump in replies to his tweets. thank you for your time. trumpislosing,United States of America,Washington,WA,Donald Trump,2,0\r\n2379,11/1/2020,one of the leading racists serving in congress maxinewaters says she doesn\xe2\x80\x99t understand why any black person could possibly vote for donaldtrump. perhaps it\xe2\x80\x99s because he has actually listens to people with legitimate problems as helps them fix those problems. what do you do,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n2380,11/1/2020,only 80 days until trump's last day unless congress does something first trump,United States of America,New York,NY,Donald Trump,0,-0.3\r\n2381,11/1/2020,opinion as the realdonaldtrump momentum gains serious traction in the last days before the election two things are clear. one trump is gaining serious support &amp; enthusiasm. two the left-wing marxists supporting biden are losing their minds realizing trump will win again,United States of America,Texas,TX,Donald Trump,2,0\r\n2382,11/1/2020,original_klatch robrar brianstelter and  they got better under trump  gtfo on that utter bullshit,United States of America,Missouri,MO,Donald Trump,0,-0.7\r\n2383,11/1/2020,outlaw who plotted whitmer kidnapping also had deadly intentions for trump \xe2\x80\x93 fix this nation .com  no whitesupremacy no altright msm is full of shit.,United States of America,Arizona,AZ,Donald Trump,0,-0.9\r\n2384,11/1/2020,part 2 of 2 of the national cynical network's new 'death taxes and empathy' all about trump covid-19 melania and election2020 is now up at bandcamp free if you want any format.  enjoy subgenius audio for the end times,United States of America,California,CA,Donald Trump,1,0.3\r\n2385,11/1/2020,people are calling to boycott home depot after its co-founder said he was voting for trump and encouraged others to do the same trump potus political,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2386,11/1/2020,peoples_pundit realdonaldtrump they are allowed to loot and riot and apparently it's safe but an outdoor rally with everyone wearing a mask leads to major covid cases. sorry i don't buy any of their ridiculous lies in the media. trump covid19 blm,United States of America,New York,NY,Donald Trump,0,-0.5\r\n2387,11/1/2020,philadelphia firefighters union confirms trump endorsement in forced recount,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n2388,11/1/2020,photographic evidence of trump grabbing a pussy,United States of America,California,CA,Donald Trump,0,-0.3\r\n2389,11/1/2020,photos beverly hills rallies for trump -- again trump politicalviews political,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n2390,11/1/2020,pittsburgh newspaper backs trump in first gop presidential endorsement since 1972 trump politicalparties potus,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n2391,11/1/2020,pittsburgh's liberal newspaper backs trump realdonaldtrump,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n2392,11/1/2020,pittsburghpg we will never support your newspaper in any way in the future. you\xe2\x80\x99re shamefully backing the wrong candidate without due regard to trump\xe2\x80\x99s mishandling of the coronavirus never before realized how ignorant your editorial staff are,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n2393,11/1/2020,please pennsylvania let\xe2\x80\x99s end this trump horror. he cares nothing about you or your family. he doesn\xe2\x80\x99t care if you die from covid or lose your home . he is evil,United States of America,Pennsylvania,PA,Donald Trump,0,-0.9\r\n2394,11/1/2020,pro trump rally in beverly hills called a protest \xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbd\xe2\x80\x8d\xe2\x99\x80\xef\xb8\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8   peaceful rally with flags... why did abc say there were no arrests  that would was irrelevant \xf0\x9f\x98\x94\xf0\x9f\x98\x94\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x9a\x82\xf0\x9f\x9a\x82\xf0\x9f\x9a\x82\xf0\x9f\x9a\x82\xf0\x9f\x9a\x82,United States of America,California,CA,Donald Trump,0,-0.5\r\n2395,11/1/2020,projection thy name is trump,United States of America,New York,NY,Donald Trump,0,-0.1\r\n2396,11/1/2020,projectlincoln if trump is immune \xe2\x80\x94why doesn\xe2\x80\x99t he visit his voters struggling to breath pence as a \xe2\x80\x98christian\xe2\x80\x99 could put on a hazmat suit like our brave journalists and pray with people in the icu. votebluetoendthenightmare,United States of America,California,CA,Donald Trump,0,-0.1\r\n2397,11/1/2020,question to senate congress mitchmcconnell nancypelosi donaldtrump why can we not have free healthcare for all like many other countries we are a laughing stock as a country due to this look at our neighbors in canada. freehealthcare,United States of America,New York,NY,Donald Trump,0,-0.1\r\n2398,11/1/2020,rallies maga2020 trump potus walkawayfromdemocrats union middleclass taxcuts maga fourmoreyears usa god&amp;country 2a 1a,United States of America,New Jersey,NJ,Donald Trump,2,0\r\n2399,11/1/2020,ranaforoohar arguing - as does the entire ft - for the dnc/biden economic plan which postures as anti globalization despite biden's long previous track record of helping 'export jobs to china' as seen by trump voters,United States of America,California,CA,Donald Trump,0,-0.8\r\n2400,11/1/2020,rbreich gkrad9 u know trump is wrong 4 america,United States of America,Missouri,MO,Donald Trump,0,-0.7\r\n2401,11/1/2020,read john 844 trump christians. christ makes it very clear that that the father of lies is satan and those who lie are satan\xe2\x80\x99s children. it is clear trumplies so why do you follow him if christ says trump\xe2\x80\x99s spiritual father is satan you think satan will lead you to god,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n2402,11/1/2020,real honest americans are sick and tired of fakenews agencies lying avout polls we are not stupid idiots and all of us are well educated to and can tell within a mile that you\xe2\x80\x99re lying about trump.,United States of America,California,CA,Donald Trump,0,-0.5\r\n2403,11/1/2020,realdonaldtrump 4 years of you again never please \xe2\x80\x9c let\xe2\x80\x99s stop the hate between us  stop the abuse of power stop the dictatorship style of governance trump is heading us and let\xe2\x80\x99s  stop the cyber bully. votebluetoendthenightmare,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n2404,11/1/2020,realdonaldtrump a vote for trump is a vote for continued riots and death ivotedearly bluewave2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n2405,11/1/2020,realdonaldtrump bidenharris china donaldtrump fakenews fakenewsmedia halloween2020 maga pennsylvania trump2020 donkiss trumpisaloser trump votethemallout votebluedownballot votersuppression voteredlikeyourlifedependsonit foxnews,United States of America,Oregon,OR,Donald Trump,2,0\r\n2406,11/1/2020,realdonaldtrump bidenharristosaveamerica trump is unfit.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n2407,11/1/2020,realdonaldtrump breitbartnews well this \xe2\x80\x9cnews\xe2\x80\x9d comes from breitbart so we know it\xe2\x80\x99s complete and utter bullchit trumpisaloser trumpisacoward trump,United States of America,Minnesota,MN,Donald Trump,0,-0.6\r\n2408,11/1/2020,realdonaldtrump doesn't even talk to his parents he just goes to his room and thinks about msm trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2409,11/1/2020,realdonaldtrump donaldtrump has exhausted the country.,United States of America,California,CA,Donald Trump,0,-0.6\r\n2410,11/1/2020,realdonaldtrump donaldtrump's smitten cultists may enjoy the frisson of hearing his hateful lies. but to everyone else hyperbolic incitements ring only as the ravings of a desperate grifter.why not simply say lockdown our country forever while changing our national anthem to la marseillaise,United States of America,California,CA,Donald Trump,0,-0.8\r\n2411,11/1/2020,realdonaldtrump each attendee of a trump rally who exercises their freedom not to wear a mask denies my elderly parents their freedom of movement. the country asks of you practically nothing can\xe2\x80\x99t you simply respect our vulnerable fellow citizens &amp; follow cdc guidelines,United States of America,California,CA,Donald Trump,0,-0.6\r\n2412,11/1/2020,realdonaldtrump facebook thank you prez action supernecessary donaldtrump 4moreyears,United States of America,New York,NY,Donald Trump,1,0.8\r\n2413,11/1/2020,realdonaldtrump he was talking about you actually donaldtrump. clean out your ears. your hearing is going. sundayfunday,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n2414,11/1/2020,realdonaldtrump it is so. trump,United States of America,Michigan,MI,Donald Trump,0,-0.1\r\n2415,11/1/2020,realdonaldtrump more shify rhetoric from the chief of dishonesty and lies trumpisalaughingstock trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2416,11/1/2020,realdonaldtrump no lives matter to donaldtrump,United States of America,California,CA,Donald Trump,0,-0.4\r\n2417,11/1/2020,realdonaldtrump rally in iowa trump trump2020,United States of America,Illinois,IL,Donald Trump,2,0\r\n2418,11/1/2020,realdonaldtrump there you go again projecting. i think you meant to say that trump is a sexualpredator,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2419,11/1/2020,realdonaldtrump trump is putinspuppet and always will be. trumpiscompromised trumpisalaughingstock,United States of America,California,CA,Donald Trump,1,0.2\r\n2420,11/1/2020,realdonaldtrump trump makingshitupinmichigan vote realamericansforjoe republicansforbiden bidenharristosaveamerica bidenharris,United States of America,New York,NY,Donald Trump,2,0\r\n2421,11/1/2020,realdonaldtrump trump sees even the death of 007 only through the prism of his own personal gain. can there be a human being with less empathy than president trump,United States of America,California,CA,Donald Trump,0,-0.6\r\n2422,11/1/2020,realdonaldtrump with all due respect mr. president your cops are killing machines. i love america. i'm black. please don't kill me nor another american. i care about white people too. barackobama barackobama joebiden joebiden obamamalik donaldtrump realdonaldtrump,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n2423,11/1/2020,red alert the big ugly may be inevitable now. trump trumpcoup trumpisnotamerica goodtrouble election2020,United States of America,Virginia,VA,Donald Trump,0,-0.1\r\n2424,11/1/2020,redwave trump iowa poll trump takes lead from biden days before nov. 3 election,United States of America,California,CA,Donald Trump,0,-0.1\r\n2425,11/1/2020,redwaverising trump biden trumpwins,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2426,11/1/2020,reelect trump kag,United States of America,California,CA,Donald Trump,2,0\r\n2427,11/1/2020,registered republicans in miami dade county \xe2\x80\x9cvote by-mail ballots\xe2\x80\x9d are being rejected over signature match allegations. mine is one of them. electionday election2020 elections votethemallout votethemallout trump usa americafirst america voting donaldtrump donaldjtrump,United States of America,California,CA,Donald Trump,0,-0.3\r\n2428,11/1/2020,relive donald trump's stunning 2016 win in under 2 minutes   trump maga trump2020landslidevictory,United States of America,New York,NY,Donald Trump,1,0.8\r\n2429,11/1/2020,rememberrubley bizziboi diannegardner wral i would be ok with any peaceful group but too often trump supporters intimidate and have weapons. that\xe2\x80\x99s not peaceful.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2430,11/1/2020,report texas police on biden bus accident-sanmarcos texas pd say the \xe2\x80\x9cat-fault vehicle\xe2\x80\x9d may be a biden-harris staff car &amp; the \xe2\x80\x9cvictim\xe2\x80\x9d is a trump vehicle. \xe2\x80\x9cthe at-fault vehicle may be the white suv and the victim appears to be the black truck\xe2\x80\x9d,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n2431,11/1/2020,repsforbiden i just threw up in my mouth a little bit. trump hurts my eyes.,United States of America,Georgia,GA,Donald Trump,0,-0.7\r\n2432,11/1/2020,republican senate candidates are chickening out of their debates from maine to mississippi gop republicancandidates immoral unpatriotic sticking by trump you all need to go down  democrats have to fix all the damage this crooked administration did,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n2433,11/1/2020,republicans  so important to remember trump &amp; his family have a lot of money property cars jets doctors &amp; it was inherited not earned. usa works very hard &amp; most won't have trump wealth. trump's policies are based on his lifestyle not yours. vote,United States of America,Minnesota,MN,Donald Trump,0,-0.1\r\n2434,11/1/2020,republicans trump cannot conceive of anyone doing anything simply because it's the right thing to do. saturdaymorning,United States of America,Illinois,IL,Donald Trump,1,0.2\r\n2435,11/1/2020,reuters does trump have a care does trump care he never showed americans if he has an alternative health care plan if he has one it costed 232 thousand lives,United States of America,Virginia,VA,Donald Trump,0,-0.8\r\n2436,11/1/2020,richardgrenell realdonaldtrump there is no support for trump from the lgbtq community period log cabin republicans have all disappeared,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n2437,11/1/2020,robreiner trump is trying to upstage adolfhitler  trumpispathetic trumpmeltdown joebiden mmflint robreiner stephenking thedemocrats nytimes potus,United States of America,New York,NY,Donald Trump,0,-0.3\r\n2438,11/1/2020,rosie_wearamask cupofjoeinthed2 kraven_raven24 lrj023 tammyrwright2 sonya_tn aejlex blainekell6 pappyparki katibug817 indieagitator oddworld2020 zimraniaxy cupcakesforyou7 seacreaturemama cris_n3wy dadilicious2 lanceusa70 wifeyspice90 confedoflunches jacketrose86 customcore7 packwon gailkfla 1strongrobin plumptytrumpty wordsdawn elektraresists bogdanoffelaine peatches66 tmoir0 s_twitmo jenmarie410 mjcaggi2012 idliva dindin6 butterskatz maurarolls cynthiacorcor10 77sunnyandclear sarahbeth0404 stayceespeaks 2ordinary1 ericalynne35 rumorreese vegix 2_mke pixie_gates and then donaldtrump will be servin' it up to the maga trumpcult,United States of America,New York,NY,Donald Trump,1,0.2\r\n2439,11/1/2020,rottenindenmark trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n2440,11/1/2020,rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,1,0.1\r\n2441,11/1/2020,rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,1,0.1\r\n2442,11/1/2020,rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,1,0.1\r\n2443,11/1/2020,rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,1,0.1\r\n2444,11/1/2020,rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,1,0.1\r\n2445,11/1/2020,rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,1,0.1\r\n2446,11/1/2020,rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,1,0.1\r\n2447,11/1/2020,rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,1,0.1\r\n2448,11/1/2020,rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,1,0.1\r\n2449,11/1/2020,rvat2020 these republicans are not just members of a politicalparty there patriots first real americans they know first hand trump is destroying america trampeling  the usconstitution votebidenharris saveamerica,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n2450,11/1/2020,rvawonk resign scottatlas  you're out of your depth and in a trump administration do you realize how inept you must be to hit that threshold,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2451,11/1/2020,ryannor93803115 steveguest jasonmillerindc realdonaldtrump i bought some extra tissue. come get it on wednesday. trump,United States of America,New York,NY,Donald Trump,2,0\r\n2452,11/1/2020,ryschel surely they can get the license plate number and go after the van who clearly swerved into the trump truck,United States of America,Ohio,OH,Donald Trump,0,-0.4\r\n2453,11/1/2020,sabagape so is the truth terrible people are disillusioned with thedemocrats because of all the division within the party itself. the mudslinging within the party made realdonaldtrump\xe2\x80\x99s job easy. liberals handed this to trump with their actions.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n2454,11/1/2020,same..... &amp; twizzlers.... red trump vote2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2455,11/1/2020,sarahannrhoades more polls just released today. insider advantage. trump up 4 in north carolina. here is a screenshot of the breakdowns.,United States of America,New York,NY,Donald Trump,1,0.1\r\n2456,11/1/2020,sarahcpr gives us the hilarious version of the accesshollywood billybush &amp; trump bus video we did not know we needed. hellenmirren as billy bush is outstanding...,United States of America,Texas,TX,Donald Trump,1,0.8\r\n2457,11/1/2020,scaramucci trump don't forget your t-shirt trumps legacy in 1 word,United States of America,California,CA,Donald Trump,1,0.5\r\n2458,11/1/2020,scary election amazing dancing skeleton halloween powerball dream  biden election trump halloween2020 election trump presidentialelection vote party results hillary president electionnight,United States of America,California,CA,Donald Trump,0,-0.1\r\n2459,11/1/2020,scary election amazing dancing skeleton halloween powerball dream  biden election trump halloween2020 election trump presidentialelection vote party results hillary president electionnight,United States of America,California,CA,Donald Trump,0,-0.1\r\n2460,11/1/2020,sea girt for trump maga2020 seagirt nj seagirtnewjersey newjersey jerseyshore trump monmouthcounty realdonaldtrump govmurphy erictrump donaldjtrumpjr housegop ivankatrump vp,United States of America,New York,NY,Donald Trump,2,0\r\n2461,11/1/2020,seanhannity covfefe all day long president trump.,United States of America,Idaho,ID,Donald Trump,0,-0.2\r\n2462,11/1/2020,seanhannity it's gotta be a little embarrassing that president trump is panic campaigning while joebiden takes a few days off. trump is a coward and loser.,United States of America,Idaho,ID,Donald Trump,0,-0.9\r\n2463,11/1/2020,seanhannity so..... if you voted only once then it ain\xe2\x80\x99t a fucking issue people please vote. just vote. hannity and his supporters and trump and his supporters won\xe2\x80\x99t go away. but maybe just maybe it will quiet them for a moment. vote4biden rvat2020 vetsagainsttrump,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n2464,11/1/2020,secwilkie lee gorton 95 wwii pacific died nov1 in brk'hvn ms. rcvd nil from va; final try to reach decision mkrs at 1600 pn ave arrived yes'trdy. deptvetaffairs housevetaffairs realdonaldtrump trump veteransaffairs veterans navy wwii history care war america,United States of America,Texas,TX,Donald Trump,2,0\r\n2465,11/1/2020,senatorcollins republican support for realdonaldtrump has resulted in 100000 new cases of coronavirus in 24 hours. no federal plan. all trump enablers must be swept from office. vote for saragideon flipthesenateblue votebidenharris for healthcare decency for people who care about us.,United States of America,New York,NY,Donald Trump,2,0\r\n2466,11/1/2020,sepia_cinema joekinlawart clairelanay daryllbenjamin qstorm3476 bison4life rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,1,0.1\r\n2467,11/1/2020,shame trump pence gop,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2468,11/1/2020,sheesh. knew this was coming. he told us but it still stings to hear the strategy coming to fruition from people close to trump,United States of America,Indiana,IN,Donald Trump,0,-0.1\r\n2469,11/1/2020,sicko zuckerberg is trying to stall for trump while the gop attempts to suppress our vote everyvotecounts everyvotematters voteeveryrepublicanout votelikeyourlifedependsonit,United States of America,California,CA,Donald Trump,0,-0.7\r\n2470,11/1/2020,significant/alarming - axios reporting that trump has privately described plans to walk up to a podium on election night and declare he has won if it looks like he's ahead.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n2471,11/1/2020,so ivankatrump and donaldtrump come out to this superspreader rally in michigan wearing no \xf0\x9f\x98\xb7...surrounded by quite a bit of people... amjoy,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n2472,11/1/2020,so many indicators of a big. trump electoralcollege win.,United States of America,Tennessee,TN,Donald Trump,1,0.2\r\n2473,11/1/2020,so rockyhorrorlive started as i was finishing voting \xe2\x80\x94 missed some of it but what i saw was amazing hearing tim curry call for the demise of donaldtrump was everything thank you wisdems and everyone who participated,United States of America,California,CA,Donald Trump,1,0.8\r\n2474,11/1/2020,sorry i can\xe2\x80\x99t like yet alone vote for an individual who i\xe2\x80\x99m more than one occasion approves of it reckless and harmful behavior towards others. votehimout flotus this bullying behavior that your husband loves. stop being complicit trump biden,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n2475,11/1/2020,spent all day yesterday writing this one.  politics election2020 trump bidenharris,United States of America,California,CA,Donald Trump,0,-0.3\r\n2476,11/1/2020,stanford study seeks to quantify covid19 infections stemming from trump rallies. 30000 infections &amp; 700 deaths  leadershipmatters wearamask vote,United States of America,New York,NY,Donald Trump,0,-0.2\r\n2477,11/1/2020,steve_vladeck texastribabby texastribune to be clear texas gop and potus trump are doing all they can to make this story become huge just 48 hours before the election. i cannot imagine a more obtuse and self-defeating strategy. west apparently wants republicans in texas to eventually become like california gop.,United States of America,Alabama,AL,Donald Trump,0,-0.5\r\n2478,11/1/2020,stillgray it\xe2\x80\x99s ppl who drank trump kool aide who drove through santa monica blvd a common road between residential &amp; downtown beverly hills running across la &amp; some very violent nutbags beating them. not bh residents. not even about politics it\xe2\x80\x99s the hatred trump brings and stirs up.,United States of America,California,CA,Donald Trump,0,-0.6\r\n2479,11/1/2020,stochasticterrorism is no joke it incites domesticterrorists to commit domesticterrorism. this is exactly what trump does with his cult45 trumpterrorists,United States of America,Texas,TX,Donald Trump,2,0\r\n2480,11/1/2020,stop streetphotography oaklandprotest streetart donaldtrump bnw bnwphotography,United States of America,California,CA,Donald Trump,0,-0.6\r\n2481,11/1/2020,strandjunker trumplooting,United States of America,California,CA,Donald Trump,1,0.3\r\n2482,11/1/2020,strong week 8 nfl card sunday 3 nfl blue ribbon plays to crush including vegas  wiseguy information mega lock ea$y $$$.  nflpicks nfl week8 vegas gamblingtwitter handicapper footballpicks fanduel draftkings barstoolsportsbook trump biden vote,United States of America,Nevada,NV,Donald Trump,2,0\r\n2483,11/1/2020,studio set.  where they do interviews possibly for  safety &amp; security of deceased\xe2\x80\x99s family kirstiealley trump \xf0\x9f\x91\x88\xf0\x9f\x8f\xbeis trending retweeet,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2484,11/1/2020,sundaythoughts  if you're still on the fence about braving the lines on electionday just remember donaldtrump wants you to die.    vote2020 bidenharris2020 trumpcrimefamily votebluetoendthenightmare,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n2485,11/1/2020,sundaythoughts sundaywisdom sundaymorning sundaymood sundaymotivation well i finally finished reading and editing my trump zombie apocalypse &amp; still have 5 hours left to write so looks like the universe wants me to have a productive night writing horror for halloween.,United States of America,New York,NY,Donald Trump,1,0.4\r\n2486,11/1/2020,superspreader trump rallies may be responsible for roughly 700 covid-19 deaths study finds - vox,United States of America,California,CA,Donald Trump,0,-0.1\r\n2487,11/1/2020,supporting trump isn\xe2\x80\x99t even a matter of politics it\xe2\x80\x99s a matter of human decency civil rights and plain humanity. i don\xe2\x80\x99t want to be associated with anyone who supports trump it\xe2\x80\x99s not just a difference of opinion with him tuckfrump,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n2488,11/1/2020,sure under trump there is  no america there is no freedom there is no united states.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n2489,11/1/2020,swatlashoover .hooverinst stanford what a catch. votethemallout trump covidiots coronavirus vote votebluedownballot,United States of America,California,CA,Donald Trump,2,0\r\n2490,11/1/2020,swatlashoover fat weirdlooking slob incompetent senile old bankrupt putinspuppet corrupt fraud liar sociopath poser embarrassing vaginaneck fowardlean cheater conman cultleader trump,United States of America,Minnesota,MN,Donald Trump,0,-0.8\r\n2491,11/1/2020,swatlashoover you didn't know that as a trump advisor but you seem to know a lot about epidemiology having been trained as a radiologist. you have zero credibility. you deserve to lose your medical license. you deserve accountability for the ongoing needless death due to covid19,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n2492,11/1/2020,swatlashoover \xe2\x80\x9cwith trump  all roads lead to russia\xe2\x80\x9d speakerpelosi,United States of America,New York,NY,Donald Trump,0,-0.1\r\n2493,11/1/2020,tearsq8 barackobama sorry to burst your bubble but the rapidly cognitive declining joebiden ain\xe2\x80\x99t smashing anything other than perhaps a few pumpkins for halloween... sleepyjoe trump 2020election,United States of America,Washington,WA,Donald Trump,2,0\r\n2494,11/1/2020,thank you berlin madametussauds for dumptrump2020. it's just lacking \xf0\x9f\x94\xa5\xf0\x9f\xa4\xa1\xf0\x9f\x94\xa5. trump gop brunoswahine traitortrump,United States of America,California,CA,Donald Trump,2,0\r\n2495,11/1/2020,thank you president trump for middle east peace no new wars a booming economy and turning the political and media establishment on its head. oh and thanks for three supreme court justices. biden supporters why do you support biden hatred of trump and tds is a given.,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n2496,11/1/2020,thanks for the reminder; i will be voting trump on nov 3rd.,United States of America,New York,NY,Donald Trump,1,0.3\r\n2497,11/1/2020,the almighty $ speaks again  more straw bosses called rappers  but they say their looking out for our economical welfare what a joke . all you rappers trump will use you then throw you away,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n2498,11/1/2020,the anonymous\xe2\x80\x9d figure who claimed to be resisting trump actually defended his controversial immigration policies..anonymous milestaylor..trump..gop,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n2499,11/1/2020,the best antitrump put downs ever trump must go vote votehimout in the 2020elections,United States of America,Texas,TX,Donald Trump,1,0.8\r\n2500,11/1/2020,the final nbc poll shows biden ahead in the the battleground states way way ahead in the national popular vote and points out that trump has never -- ever -- had a positive number for job performance.,United States of America,District of Columbia,DC,Donald Trump,1,0.4\r\n2501,11/1/2020,the harriscountytx court suit is the test case to see if we live in a functioning democracy or if we are a fully autocratic state under the control of trump  judges &amp; scotus. if scotus sides w/ gop on appeal game over. justdemocracy normornstein,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2502,11/1/2020,the plan is called a socialist lockdown. trump 100 million deaths are a result of socialism worldwide.,United States of America,Tennessee,TN,Donald Trump,0,-0.7\r\n2503,11/1/2020,the polls are all fake. they give them artificial advantages of 12 points to make republicans feel depressed for months before the election and then change them to +3 right before the election to claim they were just off by 5 points when they're wrong. what a sick group trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2504,11/1/2020,the rate of covid cases in trump rallies.  not good.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n2505,11/1/2020,the trump campaign defied conventional wisdom in 2016. they can do it again,United States of America,Florida,FL,Donald Trump,1,0.3\r\n2506,11/1/2020,the trump dance is a little cute and corny but it's all good it's his dance.  the trumpdance,United States of America,California,CA,Donald Trump,1,0.2\r\n2507,11/1/2020,the united states president celebrating targeted harassment and potentially deadly violence. let's vote this sociopath out of office... trump biden texas,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2508,11/1/2020,the way the democrats take advantage of the black community for votes is insane. use your brain and see that trump is who you want. he has done numerous things for your community. maga trump potus,United States of America,Florida,FL,Donald Trump,1,0.1\r\n2509,11/1/2020,theatlantic jameshamblin nythealth nytimes 230495 americans have died of covid19 under trump  voteblue,United States of America,New York,NY,Donald Trump,0,-0.3\r\n2510,11/1/2020,thehill change that trumprally song to liarlliar 1960\xe2\x80\x99s hit song by the castaways. lyric goes \xe2\x80\x9cliar liar pants on fire. your nose is longer than a telephone wire.\xe2\x80\x9d let trump wiggle his butt to that one. trumpisaliar trumpmeltdown votehimout2020 votebidenharris,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n2511,11/1/2020,thehill if you think trump has respect for women yeah ok.,United States of America,Virginia,VA,Donald Trump,0,-0.5\r\n2512,11/1/2020,thehill repeating unsubstantiated stats without documented facts about joebiden kamalaharris &amp; other democrats until they may become believed by at least some people is obnoxious tactic being used by trump. this atrocious behavior does not belong in our whitehouse. votebidenharris,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n2513,11/1/2020,thehill snowflakes trump crybabies entitlement dumptrump gardenstateparkway,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n2514,11/1/2020,thehill yes but covid19 was unleashed by trump right  we need more lockdowns and a mask \xf0\x9f\x98\xb7 mandate to make the economy great again. areyoukiddingme,United States of America,Maryland,MD,Donald Trump,1,0.1\r\n2515,11/1/2020,thekjohnston the bus had the right to keep driving and do what was needed if threatened could of rammed them off road in self defense  - people are fighting-ing losers trump votebiden,United States of America,Arizona,AZ,Donald Trump,0,-0.7\r\n2516,11/1/2020,thewebbix trump is going down in flames taking the gops useless ussenators with him . every republican loser who backed this crook and killer going down with him  gencide is a serious crime this moron and his pathetic advisor jaredkushner ignoring the coronavirus is criminal,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n2517,11/1/2020,they told the truth about trump until lying served them better. votethemout,United States of America,California,CA,Donald Trump,2,0\r\n2518,11/1/2020,this is bullshit nothing more. trump can't do shit about how states conduct their elections and they can count ballots as long as they like up to the federal certification deadline. let him try to sue over that. election2020 fucktrump,United States of America,Georgia,GA,Donald Trump,0,-0.5\r\n2519,11/1/2020,this is scandalous &amp; appalling  if trump \xe2\x80\x98s republican cronies have their way at least 117000 votes will be invalidated,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n2520,11/1/2020,this is source for this post.  so knowing this information who is the\xe2\x80\x9ddeep state\xe2\x80\x9d  maga dnc bidenharris trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n2521,11/1/2020,this is the video where the trump brownshirts intentionally crash into bidenharris staffers\xe2\x80\x99 car.,United States of America,California,CA,Donald Trump,0,-0.6\r\n2522,11/1/2020,this is trump\xe2\x80\x99s legacy the true face of maga,United States of America,District of Columbia,DC,Donald Trump,1,0.4\r\n2523,11/1/2020,this is what 4 more years of trump will get us,United States of America,New Mexico,NM,Donald Trump,1,0.2\r\n2524,11/1/2020,this is why trump is dangerous &amp; needs to be out. he tweets that he loves texas &amp; then verbally condones it at his rallies as if it\xe2\x80\x99s okay this is amoral &amp; unamerican. candidates shouldn\xe2\x80\x99t have to worry about safely driving around their own country\xf0\x9f\xa5\xb5,United States of America,North Carolina,NC,Donald Trump,0,-0.8\r\n2525,11/1/2020,this optecfuelintl iwand fits in your pocket &amp; kills 99.9% of the covid-19 virus why does everyone not have this yet rt to help others learn more. covid covid19 covid_19 lockdown lockdownskill trump biden coronaviruspandemic pandemic covid19update $opti awareness,United States of America,California,CA,Donald Trump,1,0.4\r\n2526,11/1/2020,this thread. texasvotersuppression is real. gop knows it cannot win without cheating. hey their houston astros got busted by mlb cheating bit they didn\xe2\x80\x99t get punished for it. so trump followers love to \xe2\x80\x9cwin\xe2\x80\x9d by cheating,United States of America,California,CA,Donald Trump,0,-0.4\r\n2527,11/1/2020,thisweekabc why is trump fighting so hard with covid19 surging we need you pennsylvania iowa floridaforbiden florida michigan wisconsin letsgoblue,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n2528,11/1/2020,titusnation most trump supporters are welfare queens.,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n2529,11/1/2020,tjtreehugger2 jsmccullou i do too but it's very much up for grabs since trump will do whatever it takes illegal or not to stop .joebiden from winning. and texas is important; 38 electoral college votes,United States of America,Louisiana,LA,Donald Trump,1,0.1\r\n2530,11/1/2020,today i am uninterested in pieces that highlight an act of decency on a micro level of a trump supporter. i've seen it up close and i don't care. if you can't expand honor and kindness to the macro and see the harm your gop support brings to many you are not honorable or kind.,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n2531,11/1/2020,trouvez l'intrus  trump trump2020 realdonaldtrump trumpfrance trumpfranceinfo,United States of America,New York,NY,Donald Trump,2,0\r\n2532,11/1/2020,truenorthpoint stephenmcarter4 highlordsheriff mjs_dc millenpolitics our country doesn\xe2\x80\x99t always do what\xe2\x80\x99s right in the moment but we do try to fix it eventually and right now we\xe2\x80\x99ve let trump destruction go on long enough. time to do what\xe2\x80\x99s right.,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n2533,11/1/2020,trump,United States of America,California,CA,Donald Trump,2,0\r\n2534,11/1/2020,trump,United States of America,California,CA,Donald Trump,2,0\r\n2535,11/1/2020,trump,United States of America,Texas,TX,Donald Trump,2,0\r\n2536,11/1/2020,trump,United States of America,New York,NY,Donald Trump,2,0\r\n2537,11/1/2020,trump accuses doctors for inflating coronavirus deaths for financial gain politicalparties trump politicalviews,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2538,11/1/2020,trump also cancelled celebration plans at trump international hotel ha ha,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2539,11/1/2020,trump deliverednothing but lied about everything.,United States of America,Kentucky,KY,Donald Trump,0,-0.8\r\n2540,11/1/2020,trump did this again ....how do any of the trumparmy think this guy gives one single f**k about them votebluetoendthenightmare votehimout,United States of America,Maryland,MD,Donald Trump,0,-0.8\r\n2541,11/1/2020,trump doesn\xe2\x80\x99t care about you mealies vemection 2020 not maga cvid deaths president,United States of America,California,CA,Donald Trump,0,-0.9\r\n2542,11/1/2020,trump has proven himself a sexist bigoted misogynistic racist xenophobic chump. he belittles and mocks everyone except white supremacists. there is no single issue worth discrediting yourself over by casting a vote for this awful horrible human.  conservative scott_rhudy,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n2543,11/1/2020,trump hasn't done anything to protect the country from a pandemic that is killing us and he couldn't care less about us.  don't fall for the okie doke,United States of America,Kentucky,KY,Donald Trump,0,-0.8\r\n2544,11/1/2020,trump intensifica su campa\xc3\xb1a durante el \xc3\xbaltimo tramo en busca de una victoria sorpresa campa\xc3\xb1a intensifica trump,United States of America,Florida,FL,Donald Trump,1,0.4\r\n2545,11/1/2020,trump is a proven putin puppet vote for anyone else,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n2546,11/1/2020,trump is an asshole.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n2547,11/1/2020,trump is announced. lee greenwood plays. donnie exits m1 still wearing his coat and promptly puts his gloves on. it is currently in the mid-50s in hickorync.,United States of America,Oregon,OR,Donald Trump,2,0\r\n2548,11/1/2020,trump is bragging about the incident where his supporters tried running the biden bus off the road in texas.... what an asshole  amjoy,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n2549,11/1/2020,trump is charlie mansontrump supports domestic terrorism,United States of America,Ohio,OH,Donald Trump,0,-0.7\r\n2550,11/1/2020,trump is fire \xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5,United States of America,California,CA,Donald Trump,1,0.3\r\n2551,11/1/2020,trump is not funny.  he makes fun of other people because he doesn\xe2\x80\x99t know anything.  really a simple man\xe2\x80\x99s candidate.  simple donaldtrump bully,United States of America,California,CA,Donald Trump,0,-0.2\r\n2552,11/1/2020,trump is pimping out his daughter ivanka again and see seems to be ok with that. vote bidenharristosaveamerica,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2553,11/1/2020,trump is shameful and dangerous.   we don\xe2\x80\x99t need a president who makes us less safe.  he is unfit for office. votebidenharristoendthisnightmare votebluetosaveamerica,United States of America,Georgia,GA,Donald Trump,0,-0.4\r\n2554,11/1/2020,trump is toxic...we need to detoxify the presidency. realdonaldtrump bidenharris2020 biden votebluetoendthenightmare votehimout,United States of America,California,CA,Donald Trump,0,-0.1\r\n2555,11/1/2020,trump launches final two-day campaign sprint,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2556,11/1/2020,trump lead in iowa poll rattles democrats  but biden still leads nationally,United States of America,California,CA,Donald Trump,1,0.1\r\n2557,11/1/2020,trump like a mob boss wants his cut . . . trumpkills trumpkillsamericans voteeveryrepublicanout vote votethemallout votelikeyourlifedependsonit,United States of America,California,CA,Donald Trump,0,-0.2\r\n2558,11/1/2020,trump loves corruption violence flagrant cheating and admires law breakers. bananarepublicans,United States of America,North Carolina,NC,Donald Trump,0,-0.2\r\n2559,11/1/2020,trump may run to russia &amp; putin,United States of America,New York,NY,Donald Trump,2,0\r\n2560,11/1/2020,trump mourns seanconnery in his own special way claiming the bond actor helped him build his golf courses in scotland.,United States of America,California,CA,Donald Trump,1,0.3\r\n2561,11/1/2020,trump openly endorsing the harassment of political opponents is an absolute disgrace and why he is a threat to democracy.,United States of America,Minnesota,MN,Donald Trump,0,-0.8\r\n2562,11/1/2020,trump our nations douche,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n2563,11/1/2020,trump praised in hongkong taiwan vietnam philippines he\xe2\x80\x99s assailed democratic norms but the president is lauded in parts of asia for his hawkishness toward china  tmclaughlin3 explains,United States of America,Oregon,OR,Donald Trump,1,0.1\r\n2564,11/1/2020,trump praises drivers that biden campaign says tried to run bus \xe2\x80\x98off the road\xe2\x80\x99 via forbes  texas trump votehimout votebluetoendthenightmare vote vote2020,United States of America,Arizona,AZ,Donald Trump,0,-0.6\r\n2565,11/1/2020,trump rallies led to 700 covid-19 deaths study says - los angeles times covid19 covid19deaths trump trumprally,United States of America,California,CA,Donald Trump,0,-0.3\r\n2566,11/1/2020,trump rally in beverly hill yesterday ...,United States of America,California,CA,Donald Trump,2,0\r\n2567,11/1/2020,trump rally in beverly hills ca. \xf0\x9f\x93\xb8 barbaradavidson election2020,United States of America,California,CA,Donald Trump,2,0\r\n2568,11/1/2020,trump raved about his covid treatment but hardly anyone can get it. we need a better plan.  trump,United States of America,North Carolina,NC,Donald Trump,0,-0.4\r\n2569,11/1/2020,trump redparty vote please vote \xf0\x9f\x97\xb3,United States of America,New York,NY,Donald Trump,1,0.1\r\n2570,11/1/2020,trump redwave,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2571,11/1/2020,trump should claim victory tuesday afternoon at 1pm et to just mess w all the main stream media and the left. election2020 donaldtrump redtsunami,United States of America,California,CA,Donald Trump,0,-0.1\r\n2572,11/1/2020,trump slams us supreme court decision to allow mail-in deadline extension in n carolina trump potus whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n2573,11/1/2020,trump supporters in california maga2020,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n2574,11/1/2020,trump supporters in texas.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n2575,11/1/2020,trump supporters track down biden bus an tries to start it's call to action from 45 im back \xf0\x9f\x97\xb3 trealdaily blm mlkjr blvd the leastracist treal2020  houston texas,United States of America,Michigan,MI,Donald Trump,0,-0.3\r\n2576,11/1/2020,trump supporters try to run bidenbus off highway and trump posts this,United States of America,California,CA,Donald Trump,0,-0.8\r\n2577,11/1/2020,trump terroism,United States of America,Arizona,AZ,Donald Trump,2,0\r\n2578,11/1/2020,trump terrorism trumpterorism terrorisminamerica stochasticterrorism trumpisdangerous trumpisdestroyingamerica,United States of America,California,CA,Donald Trump,0,-0.1\r\n2579,11/1/2020,trump the poster boy for narcissistism  get over yourself presidenttrump the american people are not falling for it again. trumpcultists may  but this time you\xe2\x80\x99ll lose in a landslide,United States of America,Pennsylvania,PA,Donald Trump,0,-0.5\r\n2580,11/1/2020,trump train swarms biden bus on 1-35 and trump is delighted - \xe2\x81\xa6statesman\xe2\x81\xa9 austintx sanantonio texas \xe2\x81\xa6joebiden\xe2\x81\xa9 biden trump bidenbus votebluetoendthenightmare,United States of America,District of Columbia,DC,Donald Trump,1,0.4\r\n2581,11/1/2020,trump trumpliesmatter votehimout,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n2582,11/1/2020,trump trumppence2020,United States of America,New York,NY,Donald Trump,2,0\r\n2583,11/1/2020,trump trumptrain trumpsamerica,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2584,11/1/2020,trump vs. biden,United States of America,New York,NY,Donald Trump,2,0\r\n2585,11/1/2020,trump2020landslide trump2020 trump sundaythoughts keepamericagreat blacksfortrump mexicansfortrump americafortrump,United States of America,Missouri,MO,Donald Trump,2,0\r\n2586,11/1/2020,trumpisnotamerica trump trumpsuperspreaderrallies bidenharris2020 americafirst countryoverparty ivotedearly bluewave2020,United States of America,California,CA,Donald Trump,1,0.1\r\n2587,11/1/2020,trumplandslide2020 realdonaldtrump supporters rock beverly hills. we need this in sf. johndennissf pnjaban. sf has many closet trump supporters.,United States of America,California,CA,Donald Trump,2,0\r\n2588,11/1/2020,trumptaxincrease did you know that buried in the pages of trump 2017 tax cut are automatic tax increases every two years that begin in 2021 and would affect all taxpayers with incomes of $75000 and under but not touch the wealthy,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n2589,11/1/2020,trumpwarroom ppl who drank trump kool aide &amp; drove through santa monica blvd a common road between residential &amp; downtown beverly hills running across la &amp; some very violent nutbags beating him. not even about politics it\xe2\x80\x99s the hatred trump brings and stirs up.,United States of America,California,CA,Donald Trump,0,-0.7\r\n2590,11/1/2020,trump\xe2\x80\x99s closing message on covid-19 is a false attack on health care workers -  trump politics potus,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2591,11/1/2020,trump\xf0\x9f\x97\xa3 chinachinachina,United States of America,New York,NY,Donald Trump,1,0.1\r\n2592,11/1/2020,tuesday is our chance to be done with trump - vote,United States of America,California,CA,Donald Trump,2,0\r\n2593,11/1/2020,tx_walkerranger i am ready for 4 more years trump/pence2020,United States of America,Pennsylvania,PA,Donald Trump,1,0.4\r\n2594,11/1/2020,txdpscapitol what steps have you taken in the investigation of the terrorist attack by trump supporters on the campaign bus of bidenharris2020 where is your public statement on that grave threat to public safety,United States of America,Colorado,CO,Donald Trump,0,-0.6\r\n2595,11/1/2020,ugly bitter clinger deplorable here casting my vote \xf0\x9f\x97\xb3 for trump on electionday because i love my freedom and i believe in the usa \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 keepamericagreat,United States of America,Minnesota,MN,Donald Trump,0,-0.6\r\n2596,11/1/2020,un winner et qui motive son peuple  pas comme en france  \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x96\xf0\x9f\xa4\x9e\xe2\xac\x87\xef\xb8\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x96 america first trump trump2020 realdonaldtrump trumpfrance trumpfranceinfo,United States of America,New York,NY,Donald Trump,1,0.9\r\n2597,11/1/2020,unbelievable. actually totally in character. trump jr ordered the gun wielding whitesupremacist parade that ran down the kamalaharris bus. kudos for sharing shannonrwatts. retweet trumpisaracist donjr trumpcult trumpiscompromised texasforbiden trumpthugs votehimout,United States of America,District of Columbia,DC,Donald Trump,1,0.4\r\n2598,11/1/2020,undemocractic trump supporters trump bus,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n2599,11/1/2020,univision plays that trump salsa commercial on every fuckin commercial break ... i just want for this election to be over so i don\xe2\x80\x99t have to hear that commercial again vote votebluetoendthenightmare voteblue,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2600,11/1/2020,usa trump vote,United States of America,California,CA,Donald Trump,2,0\r\n2601,11/1/2020,uselection2020 great dividing line of this campaign.for some americans civil unrest after police shootings is driving their support for donald trump  breaking breakingnews breakingpoll mercados mercadomagico elinforme elinformador noticiero,United States of America,California,CA,Donald Trump,0,-0.3\r\n2602,11/1/2020,vadersanakin rt afronerdradio sun 6pm call live508-645-0100  jinglejangle ripseanconnery jamesbond lilwayne trump mandalorian disneyplus justiceleague,United States of America,New York,NY,Donald Trump,2,0\r\n2603,11/1/2020,validosius kylegriffin1 reported it to who  fec fbi some other entity headed by one of trump's bootlicking lackeys,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2604,11/1/2020,very disturbing sight of a black lives matter protestor making fun of donald trump by crawling around like a naked baby blm donaldtrump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2605,11/1/2020,very powerful message by dsouldavis  kamalaharris donaldtrump justice supremecourt ruthbaderginsberg rbg georgefloyd aliciakeys johnlegend adele blacklivesmatter msnbc cnn foxnews media news breakingnews politics faith encouragement,United States of America,Nevada,NV,Donald Trump,1,0.6\r\n2606,11/1/2020,via crooksandliars fox rehashes their list of drummed up obama 'scandals' in response to biden  | trump gop republicans,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2607,11/1/2020,via newcivilrights fbi investigating after a \xe2\x80\x98trump train\xe2\x80\x99 surrounds biden campaign bus  | civilrights lgbtq trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n2608,11/1/2020,via rawstory jason miller trump will \xe2\x80\x98be ahead on election night\xe2\x80\x99 and then dems will \xe2\x80\x98steal it back\xe2\x80\x99 by counting votes  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n2609,11/1/2020,via rawstory no reckoning history shows polite liberal society will sanitize ignore and absolve the crimes of the trump administration  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2610,11/1/2020,via rawstory republicans planted a time bomb in their 2017 tax cut bill that will actually raise most people\xe2\x80\x99s taxes nobel economist  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2611,11/1/2020,victory the constrained winning strategy of donaldtrump\xe2\x80\x99s 2020 campaign...  donaldtrump2020 donaldjtrump    chicago phoenix florida houston atlanta boston dallas forthworth charlotte washingtondc denver seattle portland texas california,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n2612,11/1/2020,vote for realdonaldtrump trump trump2020,United States of America,New York,NY,Donald Trump,1,0.1\r\n2613,11/1/2020,vote for trump big media \xe2\x80\x94 congratulations to armenian prime so when will something significant.,United States of America,New York,NY,Donald Trump,1,0.4\r\n2614,11/1/2020,vote in person vote donaldtrump pence for the usa \xf0\x9f\x91\x8d\xf0\x9f\x96\x96\xe2\x9c\x8c\xf0\x9f\x97\xbd\xf0\x9f\x87\xba\xf0\x9f\x87\xb2 voteredlikeyourlifedependsonit  vote,United States of America,California,CA,Donald Trump,2,0\r\n2615,11/1/2020,vote votehimout vote2020 election2020 usa biden2020 trump2020 covid19 blm blacklivesmatter trump bidenharristosaveamerica electionday votebiden votersuppression bidenharrislandslide2020 dumptrump 2020election americandelusion america joebiden bidenharris2020,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n2616,11/1/2020,vote \xf0\x9f\x97\xb3 for freedom vote \xf0\x9f\x97\xb3 for security vote for safety vote for trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 2020election realdonaldtrump,United States of America,Minnesota,MN,Donald Trump,2,0\r\n2617,11/1/2020,vote \xf0\x9f\x97\xb3 for freedom vote \xf0\x9f\x97\xb3 for security vote for safety vote for trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 2020election realdonaldtrump,United States of America,Minnesota,MN,Donald Trump,2,0\r\n2618,11/1/2020,vote \xf0\x9f\x97\xb3 for freedom vote \xf0\x9f\x97\xb3 for security vote for safety vote for trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 2020election realdonaldtrump,United States of America,Minnesota,MN,Donald Trump,2,0\r\n2619,11/1/2020,vote \xf0\x9f\x97\xb3 for freedom vote \xf0\x9f\x97\xb3 for security vote for safety vote for trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 2020election realdonaldtrump,United States of America,Minnesota,MN,Donald Trump,2,0\r\n2620,11/1/2020,vote \xf0\x9f\x97\xb3 for freedom vote \xf0\x9f\x97\xb3 for security vote for safety vote for trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 2020election realdonaldtrump,United States of America,Minnesota,MN,Donald Trump,2,0\r\n2621,11/1/2020,vote \xf0\x9f\x97\xb3 for freedom vote \xf0\x9f\x97\xb3 for security vote for safety vote for trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 2020election realdonaldtrump,United States of America,Minnesota,MN,Donald Trump,2,0\r\n2622,11/1/2020,vote \xf0\x9f\x97\xb3 for freedom vote \xf0\x9f\x97\xb3 for security vote for safety vote for trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 2020election realdonaldtrump,United States of America,Minnesota,MN,Donald Trump,2,0\r\n2623,11/1/2020,vote \xf0\x9f\x97\xb3 for freedom vote \xf0\x9f\x97\xb3 for security vote for safety vote for trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 2020election realdonaldtrump,United States of America,Minnesota,MN,Donald Trump,2,0\r\n2624,11/1/2020,vote \xf0\x9f\x97\xb3 for freedom vote \xf0\x9f\x97\xb3 for security vote for safety vote for trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 2020election realdonaldtrump,United States of America,Minnesota,MN,Donald Trump,2,0\r\n2625,11/1/2020,vote \xf0\x9f\x97\xb3 for freedom vote \xf0\x9f\x97\xb3 for security vote for safety vote for trump \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 2020election realdonaldtrump,United States of America,Minnesota,MN,Donald Trump,2,0\r\n2626,11/1/2020,votered2020 trump trumplandslide,United States of America,Texas,TX,Donald Trump,2,0\r\n2627,11/1/2020,voting for trump in 2016 and now presidenttrump in 2020,United States of America,California,CA,Donald Trump,2,0\r\n2628,11/1/2020,waiting for trump\xf0\x9f\x94\xb4 presidenttrump holds make america great again rally in hi...  via youtube uninterrupted full coverage incldg the short films &amp; short films. see the crowds kag maga peacefuldemonstration yourworld thefive foxandfriends,United States of America,Arizona,AZ,Donald Trump,1,0.2\r\n2629,11/1/2020,waltisfrozen tomtomorrow and it used to be 5 months. by the way would someone please tell trump that we didn't know the results of his fucking election on election night in 2016.,United States of America,California,CA,Donald Trump,0,-0.7\r\n2630,11/1/2020,watch live donald trump hosts a campaign rally in washington michigan trump potus politicalparties,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2631,11/1/2020,watchyourrepsmn u know trump is wrong 4 america,United States of America,Missouri,MO,Donald Trump,0,-0.8\r\n2632,11/1/2020,we have never had final results on election day - the new york times election2020 trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2633,11/1/2020,we voted for another 4 years today in beautiful downtown miami florida \xf0\x9f\x87\xb1\xf0\x9f\x87\xb7 ivotedearly florida trump2020landslidevictory trump,United States of America,Florida,FL,Donald Trump,1,0.2\r\n2634,11/1/2020,what a welcomed surprise to see donlemon on a saturday night to ease my shattered nerves regarding election2020. donstake gives me so much calm knowing donaldtrump is a deranged racist lunatic and tuesday cannot come swiftly enough to evict him  for joebiden. \xf0\x9f\x98\xb7,United States of America,New York,NY,Donald Trump,1,0.6\r\n2635,11/1/2020,when we read about trump's latest turkey scandal let's not forget trump has greenlit turkey's radical jihadists in syria libya and armenia and destroyed countless lives in all these regions for his own business interests,United States of America,California,CA,Donald Trump,0,-0.8\r\n2636,11/1/2020,where biden and trump stand in the polls 2 days out from the election,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n2637,11/1/2020,white house adviser regrets interview with 'foreign agent' russian tv network potus trump politics,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2638,11/1/2020,white house unleashes on fauci after criticism of atlas and trump's pandemic response. fauci whitehouse pandemic trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n2639,11/1/2020,whitehouse realdonaldtrump again lies... the ownership rates have been consistently high until trump came into office,United States of America,California,CA,Donald Trump,0,-0.7\r\n2640,11/1/2020,who is gonna compete with this is alyssa_milano going to get this many people to come up and vote maybe she can get 10 people to watch a soft porn flicks in the 90\xe2\x80\x99s. trump2020 letsgetbacktonormal bidencorruption usa chinavirus chinaownsbiden trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2641,11/1/2020,who is moving to sweden regardless of the election outcome covid19 trump trump2020landslide,United States of America,California,CA,Donald Trump,0,-0.3\r\n2642,11/1/2020,whoops. biden hunterbiden hunterbidenslaptop trump,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n2643,11/1/2020,who\xe2\x80\x99s this \xe2\x80\x9cnewt\xe2\x80\x9d guy he used to be someone right trump trumpbus,United States of America,California,CA,Donald Trump,0,-0.7\r\n2644,11/1/2020,why does the media keep showing these bullshit white trash parades for donaldtrump skewing the narrative how about the thousands waiting 2 vote in cities for biden there\xe2\x80\x99s the enthusiasm that matters. bidenharrislandslide2020 potus election2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n2645,11/1/2020,why does trump need to win on tuesday this illustration from the newyorker says it all. voteblue to clad him in orange.,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n2646,11/1/2020,why is this man compelled to be such a piece of shit giuliani trump toadie,United States of America,Ohio,OH,Donald Trump,0,-0.9\r\n2647,11/1/2020,why would facebook block this trump facebook deletefacebook markzucky,United States of America,New Jersey,NJ,Donald Trump,0,-0.7\r\n2648,11/1/2020,winincal michpoligal joebiden barackobama so bidenrally detroit has no one waiting... trumprally is packed hours before trump shows up  hmmm... trumplandslide2020,United States of America,Michigan,MI,Donald Trump,0,-0.2\r\n2649,11/1/2020,women who vote for trump usually are married to men exactly like him. men who lie cheat and expect them to be subservient. if they\xe2\x80\x99re willing to spend their life with these type of men of course they\xe2\x80\x99ll vote for one.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n2650,11/1/2020,woodlandhills trump,United States of America,California,CA,Donald Trump,2,0\r\n2651,11/1/2020,would this be trump shoring up his cubansfortrump faction. how any castro would have any control by the way didn\xe2\x80\x99t trump cut relations with cuba so families could no longer visit,United States of America,California,CA,Donald Trump,0,-0.6\r\n2652,11/1/2020,wow biden now leading trump 65%-29% in california. if margin holds or expands it will be the biggest presidential landslide in ca in 100 years per san jose mercury \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99 bidenharris2020tosaveamerica,United States of America,California,CA,Donald Trump,2,0\r\n2653,11/1/2020,wtf billbarr\xe2\x80\x99s house picketed by trump,United States of America,California,CA,Donald Trump,0,-0.8\r\n2654,11/1/2020,yelling it louder for the folks in the back your vote matters look at how close the race is in northcarolina. realclearnews says biden is only up over trump by .3 points. that equals out to 22027 registered voters. spread the word ncpol,United States of America,North Carolina,NC,Donald Trump,0,-0.3\r\n2655,11/1/2020,yes how dare the media point cameras at trump and his moronic family documenting all of the stupid shit they say live and unedited. get a life white tyrone biggums. cocainedonjr trumpislosing,United States of America,Ohio,OH,Donald Trump,0,-0.4\r\n2656,11/1/2020,yes you don\xe2\x80\x99t have to like trump vote for his policies not personality no one is perfect but i believe in his policies pittsburgh pa pennsylvaniajobs pennsylvaniafortrump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2657,11/1/2020,yet jackie boy forgets twitter was almost dead... until trump became president \xf0\x9f\xa4\x94,United States of America,California,CA,Donald Trump,0,-0.7\r\n2658,11/1/2020,you are a sob you are not going to steal the presidency a second time.  bidenharris will win overwhelmly.  you are a dishonorable dishonest despicable despot.  trump will not hold this country hostage.  we will overcome good will prevail,United States of America,New York,NY,Donald Trump,0,-0.3\r\n2659,11/1/2020,you know beverlyhillstrumprally is because they don\xe2\x80\x99t wanna be taxed anymore. if you support trump you\xe2\x80\x99re probably just rich.,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n2660,11/1/2020,you know here was a tweet from realdonaldtrump i thought i could get behind then i read the third sentence. this motherfucker always has to make everything about himself. vote for seanconneryrip if nothing else. trump is an asshole - votehimout.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n2661,11/1/2020,you want a blood sample as well this is why we need to votered voteinperson voteredlikeyourlifedependsonit trump maga2020,United States of America,Tennessee,TN,Donald Trump,0,-0.3\r\n2662,11/1/2020,\xe2\x80\x94- minishmael truth  noisundays election vote trump biden,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n2663,11/1/2020,\xe2\x80\x98ultra-conservative\xe2\x80\x99 judge assigned to texas republicans\xe2\x80\x99 lawsuit which seeks to toss out 117000 ballots in harris county..trump..gop..elections,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n2664,11/1/2020,\xe2\x80\x9cthat\xe2\x80\x99s why i have to show you the bigger picture so that when you make your decision you make it wisely...- farrakhan\xe2\x80\x9d\xe2\x80\x94- minishmael noisundays election vote trump biden,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n2665,11/1/2020,\xe2\x80\x9cwe\xe2\x80\x99re in for a whole lot of hurt. it\xe2\x80\x99s not a good situation\xe2\x80\x9d anthonyfauci warns of covid19 surge offers blunt assessment of trump's response - the washington post,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2666,11/1/2020,\xe2\x80\x9cwe\xe2\x80\x99re rounding that beautiful corner where i get losers and suckers to vote for me again\xe2\x80\x9d - donald j. trump republicansforbiden lincolnproject trump bidenharris msnbc trumpvirus  foxnews,United States of America,New York,NY,Donald Trump,0,-0.7\r\n2667,11/1/2020,\xf0\x9f\x91\x87\xf0\x9f\x8f\xbb\xf0\x9f\x91\x87\xf0\x9f\x8f\xbb\xf0\x9f\x91\x87\xf0\x9f\x8f\xbb\xf0\x9f\x91\x87\xf0\x9f\x8f\xbb\xf0\x9f\x98\x86\xf0\x9f\x98\x86\xf0\x9f\x98\x86\xf0\x9f\x98\x86 dontmesswithalbanians trump,United States of America,New York,NY,Donald Trump,2,0\r\n2668,11/1/2020,\xf0\x9f\x91\x89\xf0\x9f\x8f\xbd\xf0\x9f\x91\x89\xf0\x9f\x8f\xbd\xf0\x9f\x91\x89\xf0\x9f\x8f\xbdfast call a social worker .police aren\xe2\x80\x99t gonna help ur prosecution of americans.  vote2020 trump potus fbi,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n2669,11/1/2020,\xf0\x9f\x92\xab\xf0\x9f\x92\xab\xf0\x9f\x92\xabbattle of the stars lol \xe2\xad\x90\xe2\xad\x90\xe2\xad\x90trump n biden battle over economy n covid as voter turnout breaks records \xf0\x9f\x8e\xb5\xf0\x9f\x8e\xb5\xf0\x9f\x8e\xb5,United States of America,Texas,TX,Donald Trump,1,0.1\r\n2670,11/1/2020,\xf0\x9f\xa4\xb7\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f about yall but i switched the freakin channel. not interested in anything trump has to say amjoy,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n2671,11/2/2020,evangelicalsfortrump evangelicals election2020 donaldtrump,United States of America,New York,NY,Donald Trump,1,0.3\r\n2672,11/2/2020,president trump live rally from miami fl.  maga maga2020 magarally trumprally trump trump2020   the crowd is huge and yest it's after 11pm eastern   he should arrive soon.,United States of America,Nevada,NV,Donald Trump,2,0\r\n2673,11/2/2020,this us who they are  democrats  elections trump biden mmflint,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2674,11/2/2020,trump election realpolls redwave trump2020,United States of America,Colorado,CO,Donald Trump,2,0\r\n2675,11/2/2020,uselection2020 whitehouse donaldtrump us election bombshell white house on lockdown as crews set to build fence around complex,United States of America,Idaho,ID,Donald Trump,0,-0.5\r\n2676,11/2/2020,'trump trains' block highways and bridges from new york to colorado as 2020 election approaches..trump..gop..elections,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n2677,11/2/2020,.realdonaldtrump donaldtrump emboldened terrorist rterdogan to launch his proxy genocidal war against artsakh via azerbaijan trump sold out armenians for his towers in turkey &amp; azeri oil potus is not a friend to armenians recognizeartsakh joebiden senkamalaharris,United States of America,California,CA,Donald Trump,0,-0.6\r\n2678,11/2/2020,177000 ppl watched trump on rightsidebroadcasting in ga tonight wow\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Louisiana,LA,Donald Trump,1,0.2\r\n2679,11/2/2020,8newsnow sisolak has destroyed the state for the democrats. so bad they had to call in the mayor of la to sway former californians yo vote blue. trump will take nevada.,United States of America,Nevada,NV,Donald Trump,0,-0.6\r\n2680,11/2/2020,a big thank you to all of my new followers in the lead up to electionday stay tuned for more input and analysis as the big day approaches and america decides between trump and biden,United States of America,Massachusetts,MA,Donald Trump,1,0.9\r\n2681,11/2/2020,a crazy possiblity that it's a tie in electoral college. with main deciding the president  270towin  2020election 4moreyears trump bidenharris americafirst main michigan texas usa 2020mama election2020 prediction,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n2682,11/2/2020,a tan solo horas de la elecci\xc3\xb3n trump llega a miami. ma\xc3\xb1ana viene obama,United States of America,Florida,FL,Donald Trump,1,0.2\r\n2683,11/2/2020,agreed. \xf0\x9f\xa4\xa8 trump gopcorruptionovercountry gopvotersuppression,United States of America,Indiana,IN,Donald Trump,1,0.2\r\n2684,11/2/2020,ajkatztv the whiners complaining about tucker could never match his knowledge of politics/economics &amp; history.  sorry you can\xe2\x80\x99t handle the truth babble some stupid garbage instead of stating \xe2\x80\x9cwhat\xe2\x80\x9d he is wrong about. tucker always has the evidence before he speaks out.  trump maga2020,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n2685,11/2/2020,alexberenson loudobbs saw a similar trump caravan here in tennessee looked like all kinds of fun trumppence2020 trumppence trumptrain,United States of America,Tennessee,TN,Donald Trump,1,0.3\r\n2686,11/2/2020,all these trump supporters who harassed this bus are the idiots that defend air-head/conman/corrupt/womanizer soon to be evicted from wh.,United States of America,Maryland,MD,Donald Trump,0,-0.9\r\n2687,11/2/2020,amcasiday darsb1 keith1275 laurenboebert the foundingfathers were the donaldtrump &amp; laurenboebert of their day they left their businesses to run the country. there never were supposed to be professional politicos that stay in dc for decades getting rich. wethepeople can do it ourselves.,United States of America,Colorado,CO,Donald Trump,0,-0.3\r\n2688,11/2/2020,amen don\xe2\x80\x99t let them scare us with their caravans and guns voting poll intimidation. trump s will rise on election day. go to the polls on electionday votebiden bidenkamala,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n2689,11/2/2020,america is lost if donaldtrump is re-elected consider this can you even begin to imagine what would happen if these caravans were made up of black people \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 sundaythoughts bidenharristosaveamerica,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n2690,11/2/2020,analogy for what is happening to our country under trump,United States of America,Massachusetts,MA,Donald Trump,0,-0.1\r\n2691,11/2/2020,and a lot of our babies will go to bed hungry our homeless will freeze in the streets - this is not right - drain the swamp - vote - trump,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n2692,11/2/2020,another superspreaderevent at the whitehouse with over 400 people courtesy of trump i feel sorry for the staff,United States of America,California,CA,Donald Trump,0,-0.7\r\n2693,11/2/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n2694,11/2/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n2695,11/2/2020,biden bidenharris election2020 trump winning,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2696,11/2/2020,biden2020 because he qualifies as anyone but trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n2697,11/2/2020,bidenharris2020 biden2020 bidenharrislandslide2020 trump trump2020landslide trump2020tosaveamerica,United States of America,North Carolina,NC,Donald Trump,2,0\r\n2698,11/2/2020,bidens gaffe is  more respectful than trumps lies,United States of America,California,CA,Donald Trump,0,-0.4\r\n2699,11/2/2020,blexit blacksfortrump trump,United States of America,New York,NY,Donald Trump,2,0\r\n2700,11/2/2020,bopinion the world must think  america is crazy in battleground to defeat narcissistic trump with over 230000 coronavirus deaths 9 million+ infected 20 million+ people unemployed on his watch  5xs draft dodger tax evader sexual deviant pervert  trumpisaracistthug,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n2701,11/2/2020,bostonglobe 2016 - fakenews media \xe2\x80\x9ctrump has a 5% chance of winning this election\xe2\x80\x9d,United States of America,Massachusetts,MA,Donald Trump,0,-0.5\r\n2702,11/2/2020,bravo texassupremecourt\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd please let the republican party and donaldtrump know that you can\xe2\x80\x99t cheat and suppress your way to an electionday win \xf0\x9f\x99\x84 votersuppression vote election2020,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2703,11/2/2020,buckle up  whitehouse fears election2020 bunkerboytrump builds anotherwall whitehouse trump is worried realdonaldtrump,United States of America,California,CA,Donald Trump,0,-0.5\r\n2704,11/2/2020,canada trump election2020,United States of America,California,CA,Donald Trump,2,0\r\n2705,11/2/2020,cliffordlevy trumpsupporters hate to walk so they jump in their little bubble cars out of their little bubble houses to cheerlead their little bubble brains trumpsupportersareterrorists dumptrump2020 trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n2706,11/2/2020,commentary trump has torn the mask off the liberal media - ...the press resents him because he exposes its bias. -- mediabias  more headlines,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n2707,11/2/2020,corajramos no nobody has done more for america \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 usa trump maga,United States of America,Tennessee,TN,Donald Trump,0,-0.1\r\n2708,11/2/2020,correction this is a switch out. 1 proven racist for another. removing trump makes way for trump 2.0. obamabiden is how we got trumppence in the 1st place. duh,United States of America,California,CA,Donald Trump,0,-0.1\r\n2709,11/2/2020,covid19 coronavirus vote trump,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n2710,11/2/2020,declaring prematurevictory &gt; when the total election results have not been authenticated will not be perpetrated - president trump reportedly denies allegations that he will do that **,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n2711,11/2/2020,dhershiser resistersis20 meidastouch everything in trump's world is a war a fight. to him not winning is to not exist. he's weak can't understand strengthnotfear. i don't care if a potus is religious but if he claims christianity he should follow jesus not his own ego. votebidenharris trumpisnotamerica,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n2712,11/2/2020,divinerickee you think he can't go lower. and then he does. trump,United States of America,California,CA,Donald Trump,0,-0.3\r\n2713,11/2/2020,doinmysass abqpolice coming from the \xe2\x80\x9ctolerant left\xe2\x80\x9d \xf0\x9f\xa4\xa3\xf0\x9f\xa4\xa3 trump maga hispanicsfortrump,United States of America,New Mexico,NM,Donald Trump,0,-0.5\r\n2714,11/2/2020,don't want to lib out but lastweektonight  might be the best short form expos\xc3\xa9 for the ills of trump and all his enablers to his authoritarian governance.,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n2715,11/2/2020,donaldtrump continues to encourage distrust from his followers in science and health experts. vote biden - before he does even more damage,United States of America,California,CA,Donald Trump,0,-0.6\r\n2716,11/2/2020,donaldtrump that commercial had to been just released lock them up. just pack your bags and get ready for january 20th.,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n2717,11/2/2020,donaldtrump tweeted video of bidenharris bus being attacked by his supporters in texas and said ilovetexas .... he has to be stopped... now hollablock,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n2718,11/2/2020,dwnews trump trumpmeltdown trumpisalaughingstock,United States of America,Texas,TX,Donald Trump,1,0.1\r\n2719,11/2/2020,election night 2020 national state local up-to-the-minute race results. live coverage all night starting at 9pm on november 3rd on news 12. \xe2\x81\xa0vote2020 electionday trump biden news12,United States of America,New York,NY,Donald Trump,2,0\r\n2720,11/2/2020,election2020 late ballots mismatched signatures drop boxes 100's of lawsuits could affect election2020 's outcome. trump biden marcelias hansvonspakovsky electionlawblog absenteeballots mailinballots voterfraud votersuppression...,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n2721,11/2/2020,election2020 trump vs biden,United States of America,Florida,FL,Donald Trump,2,0\r\n2722,11/2/2020,elections2020 trump biden,United States of America,New York,NY,Donald Trump,2,0\r\n2723,11/2/2020,eleicoeseua2020 eleicoes2020  eleicoeseua trump  trump2020tosaveamerica  trump2020 eleicoesnoseua,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2724,11/2/2020,erictrump completely lost .. and incompetent old guy that would yell when we were kids riding bikes on his lawn  sleepyjoebiden bidencrimefamiiy maga2020 trump2020landslide trump trump2020,United States of America,Nevada,NV,Donald Trump,0,-0.8\r\n2725,11/2/2020,executive order on an america-first healthcare plan  trump,United States of America,California,CA,Donald Trump,0,-0.1\r\n2726,11/2/2020,fascism is alive and well in the trump party.,United States of America,Virginia,VA,Donald Trump,1,0.6\r\n2727,11/2/2020,geoffrbennett this is hysterical. trump is such a coward.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n2728,11/2/2020,good read for anyone christian evangelical or religious or for trump or womenfortrump . as she titles one part \xe2\x80\x9cwomen of faith know better.\xe2\x80\x9d i hope you will consider what she says. your vote on tuesday is important.,United States of America,Texas,TX,Donald Trump,1,0.2\r\n2729,11/2/2020,grays_mama_bear hard to say... being native american things were pretty so racism-wise during clinton/bush/obama but i've had a lot of dangerously racist things happen since trump was elected. and it's getting worse. so what was safe... we can't be sure of anymore.,United States of America,Colorado,CO,Donald Trump,0,-0.3\r\n2730,11/2/2020,great turn out at the bronx - westchester nyc - ny trump car parade today. we had great decorations on our \xf0\x9f\x9a\x97cars \xf0\x9f\xa4\xa3,United States of America,New York,NY,Donald Trump,1,0.9\r\n2731,11/2/2020,half the challenge is getting biden elected; the other half is keeping trump and his thugs from destroying the country or causing more deaths in the remaining 80 or so days,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n2732,11/2/2020,how can you be a republican and ignore these facts trump gop,United States of America,Indiana,IN,Donald Trump,0,-0.9\r\n2733,11/2/2020,how many folks have bought into trump and his con job.  asking for a friend.,United States of America,California,CA,Donald Trump,0,-0.2\r\n2734,11/2/2020,hunter kamala &amp; the basement cost sleepy joe bigly. trump takes care of business ontuesday. trump2020,United States of America,Ohio,OH,Donald Trump,1,0.2\r\n2735,11/2/2020,i am devoting 11/2 to meditation and reiki for our potus and his staff. surely exhausted they ride the crest of the redwave2020 i will send energies for restoration &amp; safe travel. trump electionday voteredlikeyourlifedependsonit voteredtosaveamerica2020,United States of America,Ohio,OH,Donald Trump,1,0.4\r\n2736,11/2/2020,i am looking forward to this to be over because trump did more damage in four years than gwbush did in eight years,United States of America,Texas,TX,Donald Trump,1,0.1\r\n2737,11/2/2020,i fixed donaldtrump's proclamation draintheswamp votehimout2020 votehimoutandlockhimup getoutthevote,United States of America,New York,NY,Donald Trump,2,0\r\n2738,11/2/2020,i heard someone say that when conservatives can't win based on policy alone they won't abandon conservatism they'll abandon democracy. that's what we will see in the next few days comservatives trump supporters are fucking trash.,United States of America,California,CA,Donald Trump,0,-0.8\r\n2739,11/2/2020,i project a joebiden win over realdonaldtrump in u.s. presidential election - perspectives by simonateba washington d.c. kamalaharris mike_pence election2020 elections2020 election bidenharris trump biden   via todaynewsafrica,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n2740,11/2/2020,i think trump does put someone first and all other things first if they are about trump. it\xe2\x80\x99s that simple.  no empathy just \xe2\x80\x9cabout me\xe2\x80\x9d  that all that matters. too bad for the rest unless it fits within that ven diagram,United States of America,New York,NY,Donald Trump,0,-0.3\r\n2741,11/2/2020,i voted biden for basement. trump,United States of America,New York,NY,Donald Trump,2,0\r\n2742,11/2/2020,if donaldtrump decides to pardon billcosby right before the election joebiden would come in second place,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n2743,11/2/2020,if this is true they why not drone strike his ass. i don\xe2\x80\x99t understand how a man like this is alive trying to destroy our nation. hit back harder. usa trump maga2020landslidevictory,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2744,11/2/2020,if trump declares victory prematurely on tuesday night it'll only make him look worse when the actual count comes in.,United States of America,California,CA,Donald Trump,0,-0.8\r\n2745,11/2/2020,if u think trump told the truth - watch &amp; listen for 1 minute.,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n2746,11/2/2020,if you don\xe2\x80\x99t love this you need to have your head examined.  it\xe2\x80\x99s history it\xe2\x80\x99s our country.  maga trump trump2020 america,United States of America,Texas,TX,Donald Trump,1,0.2\r\n2747,11/2/2020,if you enjoy freedom don't be an ass. vote trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2748,11/2/2020,imagine if all the people who have been so angry about the trump presidency over the past 4 years had actually turned out to vote for hillary ...,United States of America,Massachusetts,MA,Donald Trump,0,-0.8\r\n2749,11/2/2020,in a democratic state the cops are called out to interfere with a trump rally.,United States of America,Minnesota,MN,Donald Trump,0,-0.7\r\n2750,11/2/2020,incredible turnout of support for realdonaldtrump in lasvegas .trump trump2020,United States of America,Nevada,NV,Donald Trump,1,0.5\r\n2751,11/2/2020,ingrahamangle mass murderer donaldtrump ignores cdc guidelines and continues killing americans.,United States of America,California,CA,Donald Trump,0,-0.7\r\n2752,11/2/2020,ingrahamangle realdonaldtrump biden is tired from standing in parking lots barking  cars bidenharris trump is surging to victory,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n2753,11/2/2020,is trump derangement syndrome or fear of covid19 a better blue motivator at the polls how will that compare to fear of underpoliced social unrest and economic collapse  under a biden administration,United States of America,California,CA,Donald Trump,0,-0.2\r\n2754,11/2/2020,it is sad wolfblitzer   vote trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2755,11/2/2020,i\xe2\x80\x99m hearing from my sources that the biden campaign is really worried about the enthusiasm on the trump side...trump bidenharris biden joebiden realdonaldtrump breakingnews breaking polls trumptrain trumptraintexas,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2756,11/2/2020,i\xe2\x80\x99m hearing thousands of latinos are readying for tomorrow\xe2\x80\x99s trump rally in miami. red wave may be a tsunami.realdonaldtrump trump floridafortrump fourmoreyears miami 2020election trumptrain trump2020landslide breaking breakingnews elecciones2020 electionday polls,United States of America,New York,NY,Donald Trump,2,0\r\n2757,11/2/2020,i\xe2\x80\x99ve got a plan to do tons of voter fraud on behalf of biden/harris and i already started \xf0\x9f\x98\x8f electionday election2020 bidenharris biden2020 vote maga trump trump2020landslide,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2758,11/2/2020,i\xe2\x80\x99ve never seen anything like this in history never. trump redwaverising,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n2759,11/2/2020,jesus  is my savior trump is my presidenttrump nationhallelujah,United States of America,Florida,FL,Donald Trump,1,0.7\r\n2760,11/2/2020,joe biden and kamala harris are not the radical left. they are sensible moderate patriots. trump &amp; gop are radical fascists.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n2761,11/2/2020,joe when you spent 47 years building this quagmire of swamp creatures and power mongers - you don't get to call it trumps america.  this is the america you built - trump will change that - then we can all be proud of america again. trump,United States of America,Florida,FL,Donald Trump,2,0\r\n2762,11/2/2020,joebiden it\xe2\x80\x99s so easy to say. i know if hillaryclinton had been elected instead of trump covid would be gone and almost nobody dead.  easy to say.,United States of America,Ohio,OH,Donald Trump,1,0.2\r\n2763,11/2/2020,just saw a trump ad talking about how he faced the virus head on with a shot of him &amp; his minions walking w/masks on - talk about fake...and people fall for that bull\xf0\x9f\x92\xa9 farce...smh,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n2764,11/2/2020,just watched 60minutes and i don\xe2\x80\x99t understand how people can admit that as long as their 401k is fine then they\xe2\x80\x99re voting for trump. it\xe2\x80\x99s all about the money isn\xe2\x80\x99t it no loveofneighbor - just gimmeegimmee - right tommijobrode,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n2765,11/2/2020,kaitlancollins trump is a lyingliar; who is beyond pathetic and exhausting. he constantly contradicts himself; within the same breath...,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n2766,11/2/2020,kevinliptakcnn maggienyt repeating unsubstantiated statements w/o documented facts about biden &amp; harris &amp; others until they may become believed by at least some people is obnoxious tactic being used by trump. a technique of corrupt dictators. this atrocious behavior does not belong in our democracy.,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n2767,11/2/2020,kplww5 under realdonaldtrump there will be no healthcare no jobs no christmas gifts no food no water no air no fireworks no nothing. trump,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n2768,11/2/2020,ladygaga realdonaldtrump don\xe2\x80\x99t worry joe celebrities and liberal elites to the rescue 4moreyearstrump donaldtrump,United States of America,New York,NY,Donald Trump,1,0.2\r\n2769,11/2/2020,latinosfortrump where yall at is this yall king latino  latinos spanish spanishmemes mexican mexicansfortrump trump vote vote2020 voteblue2020 texas mexico joebiden kamalaharris immigration immigrants voteagainsttrump 60minutes,United States of America,Tennessee,TN,Donald Trump,0,-0.7\r\n2770,11/2/2020,lawandorder backtheblue vote trump trump2020tosaveamerica \xf0\x9f\x87\xba\xf0\x9f\x87\xb8 election2020,United States of America,California,CA,Donald Trump,2,0\r\n2771,11/2/2020,legendisland reshadhudson jackroyer dougjones ttuberville trump called him toob-er-ville \xf0\x9f\x98\x82,United States of America,Georgia,GA,Donald Trump,2,0\r\n2772,11/2/2020,lets get rid of this fascist donaldtrump fdonaldtrump vote bidenharris,United States of America,California,CA,Donald Trump,0,-0.7\r\n2773,11/2/2020,listen to the most recent episode of my podcast gray wolves predator or victim   trump trumpadministration,United States of America,California,CA,Donald Trump,2,0\r\n2774,11/2/2020,lynch jack nicklaus\xe2\x80\x99s support of trump will linger far beyond election day -  trump political whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n2775,11/2/2020,maga2020 maga trump russia,United States of America,California,CA,Donald Trump,2,0\r\n2776,11/2/2020,make america great again thingstrumpsay trump iamtrump iwin america,United States of America,New York,NY,Donald Trump,2,0\r\n2777,11/2/2020,manateetee1 larryboorstein projectlincoln should have been patently obvious what was going to happen to an infectious desease expert. fauci should have resigned at the earliest opportunity because simply staying in the job validated trump \xe2\x80\x98clinical\xe2\x80\x99 nonsense,United States of America,New York,NY,Donald Trump,0,-0.7\r\n2778,11/2/2020,many dictators build a barrier at the end. it never ends well for them. trump petty vote,United States of America,Washington,WA,Donald Trump,0,-0.1\r\n2779,11/2/2020,marklevinshow voting on tuesday \xf0\x9f\x98\x89 want to be a part of the trump blow out \xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd maga2020,United States of America,Florida,FL,Donald Trump,2,0\r\n2780,11/2/2020,maxine waters black male trump voters are despicable to their families ...  via youtube trump trump2020landslide,United States of America,Virginia,VA,Donald Trump,0,-0.4\r\n2781,11/2/2020,maxine waters black trump voters are \xe2\x80\x98shameful\xe2\x80\x99 \xe2\x80\x94 \xe2\x80\x98i will never ever forgive them\xe2\x80\x99,United States of America,California,CA,Donald Trump,0,-0.9\r\n2782,11/2/2020,mcfaul big truck little.....hands and little everything. like trump like trumpcultists,United States of America,Nevada,NV,Donald Trump,2,0\r\n2783,11/2/2020,meghanmccain we can only hope trump steps down graciously if he doesn\xe2\x80\x99t his dignity will be permanently lost forever,United States of America,Missouri,MO,Donald Trump,0,-0.7\r\n2784,11/2/2020,melanieusn1979 realdonaldtrump joebiden drbiden txdemwomen question- why are trump supporters so angrrrrrry they honk their horns wave their trump flags that are made in china and mexico and rage what are these white people so angrrrrry about it\xe2\x80\x99s comical.,United States of America,Texas,TX,Donald Trump,0,-0.9\r\n2785,11/2/2020,more than 94 million americans have voted representing over 68% of all votes counted in 2016 joebiden kamalaharris realdonaldtrump mike_pence trump trump2020 biden biden2020 uselections2020 elections2020 elections  via todaynewsafrica,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n2786,11/2/2020,most of america us tired if trump chaos. sure he has his fringe event that trump and his idiot children but the courts and even the old school republicans are done. they will just want him to go away. without power trump is  just another guy in an orange jumpsuit,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n2787,11/2/2020,mrotzie mikedrake178 trump showing off his new dance moves.,United States of America,New York,NY,Donald Trump,2,0\r\n2788,11/2/2020,never underestimate stupid this fool had a flag inserted into his vest. trumptrain maga trump bidenharris bidenharris2020 biden ridinwithbiden,United States of America,California,CA,Donald Trump,0,-0.3\r\n2789,11/2/2020,northcarolina trump,United States of America,New York,NY,Donald Trump,2,0\r\n2790,11/2/2020,northcarolinafortrump northcarolina trump trump2020,United States of America,Florida,FL,Donald Trump,1,0.1\r\n2791,11/2/2020,nyc's trump supporters take the streets of manhattan ...,United States of America,New York,NY,Donald Trump,0,-0.5\r\n2792,11/2/2020,onlytruthhere donaldjtrumpjr urghdamn trump and his attacks on good people trump is not fit to lick the boots of our doctors,United States of America,California,CA,Donald Trump,0,-0.7\r\n2793,11/2/2020,open poll who did you vote for politics polls poll trump biden miami rt election2020 joebiden donaldtrump,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n2794,11/2/2020,over 4k trump patriots at beverlyhills alexanderjokinsky maga2020,United States of America,Nevada,NV,Donald Trump,2,0\r\n2795,11/2/2020,people are mad at lil wayne because he had a positive meeting with president trump.  spare me your selective outrage. lil wayne trump,United States of America,Kentucky,KY,Donald Trump,0,-0.5\r\n2796,11/2/2020,people need to go to jail...trump is one of them...using his status as president to incite violence...unacceptable,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n2797,11/2/2020,people who are taking the vaccine with the chip in it operationwarpspeed cashlesssociety socialcredits id2020 communist trump \xf0\x9f\xa4\xae\xf0\x9f\xa4\xae\xf0\x9f\xa4\xae\xf0\x9f\x9a\xa8\xf0\x9f\x91\x87\xf0\x9f\xa4\xa1,United States of America,California,CA,Donald Trump,0,-0.3\r\n2798,11/2/2020,please - trump didn\xe2\x80\x99t tweet this. we all know this donny jr - is this you put down your halloween \xe2\x80\x9ccandy\xe2\x80\x9d- take your daddy\xe2\x80\x99s meds &amp; - go to bed. same fake news,United States of America,California,CA,Donald Trump,0,-0.6\r\n2799,11/2/2020,potus wrote a love letter to msm but lost his nerve before sending it trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2800,11/2/2020,projectlincoln what evs. america trusts fauci  no one in their right mind trusts trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n2801,11/2/2020,q13fox biden spends the day in parking lots barking  cars \xf0\x9f\x98\x86 trump is surging to victory my husband was so excited to see trump parade on i5 on his way to work yesterday. he said he was honking and cheering. felt so good to openly support our potus in wa state. and culp2020 too.,United States of America,District of Columbia,DC,Donald Trump,1,0.5\r\n2802,11/2/2020,realdonaldtrump amazing day mr. president proud of you. you are such a star what stamina god bless you\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 trump trump2020landslidevictory maga2020 maga2020landslide fourmoreyears 2020election,United States of America,Texas,TX,Donald Trump,1,0.8\r\n2803,11/2/2020,realdonaldtrump and what are you going to do trump...get your cronies to chase them out of pennsylvania like when you terrorized them in texas,United States of America,Nevada,NV,Donald Trump,0,-0.4\r\n2804,11/2/2020,realdonaldtrump foxnews wow. i looked up the definition of \xe2\x80\x9cbuffoon\xe2\x80\x9d and it said \xe2\x80\x9cread tweets of realdonaldtrump\xe2\x80\x9d. that didn\xe2\x80\x99t surprise me. donaldtrump 2020election,United States of America,Florida,FL,Donald Trump,2,0\r\n2805,11/2/2020,realdonaldtrump hmm rioters looters arsonists gun-grabbers flag-burners marxists lobbyists and special interest is what happens now - under your administration nice try. trumpterroism trumpsnake trump bidenharrislandslide2020,United States of America,Oregon,OR,Donald Trump,2,0\r\n2806,11/2/2020,realdonaldtrump if you vote trump you deserve nothing but shit.,United States of America,California,CA,Donald Trump,0,-0.9\r\n2807,11/2/2020,realdonaldtrump lies lies lies lies lies lies lies lies lies lies lies lies lies lies lies lies lies lies lies lies lies lies lies lies trumplieseverytimehespeaks trump,United States of America,New York,NY,Donald Trump,0,-0.7\r\n2808,11/2/2020,realdonaldtrump we are still standing with you  and america \xf0\x9f\x87\xba\xf0\x9f\x87\xb8elton john - i'm still standing the prince's trust rock gala 1986  via youtube donaldtrump america blacksfortrump latinosfortrump jewsfortrump americafortrump,United States of America,California,CA,Donald Trump,1,0.4\r\n2809,11/2/2020,realdonaldtrump we love you president trump i wish that i could\xe2\x80\x99ve been there live to cheer you but i was on call trump2020landslide trumptrain trump maga2020,United States of America,North Carolina,NC,Donald Trump,1,0.1\r\n2810,11/2/2020,realdonaldtrump will have a greater number of republicans turn out for him than 2016- historic amounts actually. he will also have a historical amount of black americans votes. it would take an act of corruption unheard of to lead to joebiden winning. election2020 trump,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n2811,11/2/2020,realdonaldtrump you will never be president again... trump,United States of America,Florida,FL,Donald Trump,0,-0.8\r\n2812,11/2/2020,remember when minnesota took a flyer on jessie ventura professional wrestler --as governor. one term.  let's hope america took a flyer on trump in 2016 and realizes the mistake as well.,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n2813,11/2/2020,resisters band together - we will overcome. trump &amp; gop divides - we unite - along with bidenharris2020. votebidenharristosaveamerica votebluetosaveamerica,United States of America,California,CA,Donald Trump,1,0.1\r\n2814,11/2/2020,ridin\xe2\x80\x99 with biden election2020 trump joewillleadus,United States of America,New York,NY,Donald Trump,2,0\r\n2815,11/2/2020,seanhannity mass murderer donaldtrump ignores cdc guidelines and continues killing americans.,United States of America,California,CA,Donald Trump,0,-0.7\r\n2816,11/2/2020,secretservice fbi trump homegrown terrorists,United States of America,California,CA,Donald Trump,0,-0.7\r\n2817,11/2/2020,something tells me that lindseygrahamsc\xe2\x80\x99s idea of a traditionalfamilystructure includes a lot of nondisclosureagreements &amp; a lot of out-of-the-way motels.the hypocrisy of the gop in cowering to donaldtrump\xe2\x80\x99s blackmail is truly disgusting. ladyg spinelessgop withbidenwecan,United States of America,California,CA,Donald Trump,0,-0.2\r\n2818,11/2/2020,sooner than you think high school kids will graduate and will not have any idea who pence billbarr or giuliani are and will recognize trump mostly as a punchline to a joke. election2020 republicansforbiden,United States of America,Colorado,CO,Donald Trump,0,-0.2\r\n2819,11/2/2020,sorry liberals but trump still has a very clear path to 270 election2020 | dan bongino,United States of America,Illinois,IL,Donald Trump,0,-0.6\r\n2820,11/2/2020,study trump campaign rallies likely led to over 700 covid-related deaths via \xe2\x81\xa6axios\xe2\x81\xa9. \xe2\x81\xa6ucsf_epibiostat\xe2\x81\xa9 \xe2\x81\xa6stanfordhp\xe2\x81\xa9 donaldjtrumpjr\xe2\x81\xa9 \xe2\x81\xa6podcastbythebay\xe2\x81\xa9 \xe2\x81\xa6ucsf_ihps\xe2\x81\xa9 \xe2\x81\xa6potus\xe2\x81\xa9,United States of America,California,CA,Donald Trump,2,0\r\n2821,11/2/2020,sudan egypt and ethiopia have resumed their talks over addis ababa\xe2\x80\x99s controversial dam on the blue nile river after us president donald trump warned that cairo may \xe2\x80\x9cblow it up\xe2\x80\x9d if disputes are not resolved. theafricanstand africanstand africanews,United States of America,New York,NY,Donald Trump,0,-0.1\r\n2822,11/2/2020,take the poll below vote election2020 trump biden fair poll polls realdonaldtrump joebiden bidenharris2020 trumppence2020 cnn foxnews politics_polls politics trump trump2020,United States of America,California,CA,Donald Trump,0,-0.6\r\n2823,11/2/2020,tbh setting politics aside if biden aka sleepyjoe  wins that inauguration finna be \xf0\x9f\x97\x91. we don\xe2\x80\x99t want no wack ass cardib. but shit man if  trump wins for another term we finna have the \xf0\x9f\x90\x90 lil wayne. 4moreyears,United States of America,New York,NY,Donald Trump,0,-0.5\r\n2824,11/2/2020,teamtrump flotus mass murderer donaldtrump ignores cdc guidelines and continues killing americans.,United States of America,California,CA,Donald Trump,0,-0.7\r\n2825,11/2/2020,terrorist trump,United States of America,California,CA,Donald Trump,0,-0.5\r\n2826,11/2/2020,thank you. this must end. as in trump must come to an end. \xf0\x9f\x98\x9c\xf0\x9f\x98\x9c ya know what i mean.,United States of America,California,CA,Donald Trump,2,0\r\n2827,11/2/2020,the blood of dead iowa residents is on your hands joniernst. shame on your for promoting *anything* about murderer trump. may your defeat come on tuesday.,United States of America,California,CA,Donald Trump,0,-0.7\r\n2828,11/2/2020,the latest scam from the charlatan trump is to declare victory before all the votes are counted.   if he loses he will claim fraud.,United States of America,California,CA,Donald Trump,0,-0.7\r\n2829,11/2/2020,the latter doesn\xe2\x80\x99t have a head who  incessantly tweets inane things trump election2020 electionday,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n2830,11/2/2020,the only thing bigger under donaldtrump was the disappointment. voteblue2020 trumpisanationaldisgrace,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n2831,11/2/2020,the people cannot be stopped our voices will be heard. i am so proud of my country i have never seen anything like this. i am thrilled to be part of it trump trump2020landslide realdonaldtrump trump2020 bidenharris2020,United States of America,Iowa,IA,Donald Trump,1,0.4\r\n2832,11/2/2020,the trump administration\xe2\x80\x99s high-stakes gambit to curtail rocket attacks in iraq,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n2833,11/2/2020,the trump campaign is showing serious signs of desperation -- this the vehicles blocking traffic and the attack on the biden bus on friday. are they paying these people  desperate losers all of them,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n2834,11/2/2020,thebr0keb0i me i\xe2\x80\x99m so angry and filled w hatred for trump sociopath. i hate him so much. he did so much damage caused so many deaths. heartless evil bastard. what was the question lol hatehim,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2835,11/2/2020,thehill as suggested by  brucespringsteen ...  trump for his trumprally should play the old 60\xe2\x80\x99s hit \xe2\x80\x9cliar liar\xe2\x80\x9d by the castaways. lyric is \xe2\x80\x9cliar liar pants in fire...your nose is longer than a telephone wire.\xe2\x80\x9d  let donnydeceiver shake his butt to that one. trumpmeltdown voteblue,United States of America,Illinois,IL,Donald Trump,0,-0.4\r\n2836,11/2/2020,there is no bottom. trump,United States of America,Indiana,IN,Donald Trump,0,-0.3\r\n2837,11/2/2020,these are my predictions just a combination of different permutations and combinations for 2020. please be mindful and go vote election2020 govote2020 uselection2020 2020election trump biden realdonaldtrump joebiden,United States of America,Florida,FL,Donald Trump,2,0\r\n2838,11/2/2020,thesurvivalwar cboycookie w_terrence do you know how many soldiers life\xe2\x80\x99s mraps saved\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f yeah your gone my guy drunk all the trump cool aid\xf0\x9f\xa5\xb4,United States of America,Maryland,MD,Donald Trump,2,0\r\n2839,11/2/2020,thesurvivalwar cboycookie w_terrence i get it your not a real republican your a trumpsupporter so let me help you out do some research on how credit works then find out how much a national deficit is then research how much the american currency has fallen since trump has been potus taxes is how we pay our bills,United States of America,Maryland,MD,Donald Trump,0,-0.7\r\n2840,11/2/2020,thesurvivalwar cboycookie w_terrence see this would be a good discussion if you were a real republican but your just a trump fan boy you don\xe2\x80\x99t know shit about politics\xf0\x9f\xa4\xa6\xf0\x9f\x8f\xbe\xe2\x80\x8d\xe2\x99\x82\xef\xb8\x8f,United States of America,Maryland,MD,Donald Trump,0,-0.9\r\n2841,11/2/2020,they look like they\xe2\x80\x99re having a better time.. no mental games no manipulations no guilt tripping  no violence. how can you not vote for him trump elections blm,United States of America,New York,NY,Donald Trump,0,-0.1\r\n2842,11/2/2020,this is deep blexit  vote trump   realdonaldtrump black americans love trump2020landslide,United States of America,Texas,TX,Donald Trump,1,0.5\r\n2843,11/2/2020,this is genius.   trumpsdeadlysins trump vote voteblue bidenharristosaveamerica,United States of America,California,CA,Donald Trump,1,0.5\r\n2844,11/2/2020,this is hilarious. the fbi looks into this immediately but sits on hunter biden's laptop since 2019 despite overwhelming evidence of corruption \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 trump2020landslidevictory trump2020 trump fbicorruption,United States of America,Texas,TX,Donald Trump,1,0.2\r\n2845,11/2/2020,this is how i want my president to be projected. said no one ever. votebluetoendthenightmare trumpislosing trump bidenharris2020landslide,United States of America,Ohio,OH,Donald Trump,0,-0.3\r\n2846,11/2/2020,thugs and terrorists trump trumptrain2020,United States of America,New York,NY,Donald Trump,0,-0.9\r\n2847,11/2/2020,timrunshismouth projectlincoln traitors &amp; coward that\xe2\x80\x99s what these sheep are...maga2020landslidevictory trump,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n2848,11/2/2020,to start with..federal mandates to wear a mask america it\xe2\x80\x99s simple protect yourself &amp; your family. that\xe2\x80\x99s what joebiden will do to reverse some of the damage caused by trump. we can beat covid19 yes we can votelikeyourlifedependsonivote thedemocrats trump pennsylvania,United States of America,California,CA,Donald Trump,2,0\r\n2849,11/2/2020,today was fun. election2020 trump miami,United States of America,Florida,FL,Donald Trump,1,0.4\r\n2850,11/2/2020,told you so - vote trump,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n2851,11/2/2020,top story ywn 'nj trump vehicle convoy shuts down the garden state parkway. jewsfortrump nycmagadrag realdonaldtrump donaldjtrumpjr trumpwarroom  '  see more,United States of America,North Carolina,NC,Donald Trump,1,0.2\r\n2852,11/2/2020,trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2853,11/2/2020,trump,United States of America,Florida,FL,Donald Trump,2,0\r\n2854,11/2/2020,trump,United States of America,North Carolina,NC,Donald Trump,2,0\r\n2855,11/2/2020,trump,United States of America,Texas,TX,Donald Trump,2,0\r\n2856,11/2/2020,trump,United States of America,Texas,TX,Donald Trump,2,0\r\n2857,11/2/2020,trump,United States of America,Texas,TX,Donald Trump,2,0\r\n2858,11/2/2020,trump,United States of America,Texas,TX,Donald Trump,2,0\r\n2859,11/2/2020,trump,United States of America,Texas,TX,Donald Trump,2,0\r\n2860,11/2/2020,trump  trump2020tosaveamerica  trump2020,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2861,11/2/2020,trump and his republican support system can go straight to hell. wethepeople will decide not your hordes of lawyers. votebluetoendthenightmare,United States of America,North Carolina,NC,Donald Trump,0,-0.3\r\n2862,11/2/2020,trump calling out the fakenews lol miami,United States of America,California,CA,Donald Trump,1,0.1\r\n2863,11/2/2020,trump can save face by resigning. that\xe2\x80\x99s what all  corporate executives do right before they\xe2\x80\x99re fired. the smart ones anyway.,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n2864,11/2/2020,trump death rallies continue being a complete clusteref*ck. trump election2020,United States of America,California,CA,Donald Trump,0,-0.4\r\n2865,11/2/2020,trump has ag barr in his front pocket so it cannot possibly surprise anyone that he\xe2\x80\x99s corrupted the fbi too.,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n2866,11/2/2020,trump has wasted an enormous amount of energy attacking mail-in voting vendettas and his own personal hobbyhorses. imagine if he would have put all his efforts into actually winning. biden election2020 thehill,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n2867,11/2/2020,trump is fire \xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5\xf0\x9f\x94\xa5,United States of America,California,CA,Donald Trump,1,0.3\r\n2868,11/2/2020,trump just tweeted that biden was a castro puppet.. this is who people are actually voting for and that scares me.,United States of America,Ohio,OH,Donald Trump,0,-0.9\r\n2869,11/2/2020,trump lies again trump hasn\xe2\x80\x99t done a thing for working people his tax breaks helped billionaires and rich  corporations. nothing for working people obama&amp;biden created more jobs in their last 3 years  than trump created in the last three years,United States of America,California,CA,Donald Trump,0,-0.7\r\n2870,11/2/2020,trump miami rally \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Florida,FL,Donald Trump,2,0\r\n2871,11/2/2020,trump rebukes fbi for investigating supporters accused of harassing biden bus thehill,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n2872,11/2/2020,trump redwaverising,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2873,11/2/2020,trump says he is preparing for legal challenges to vote counts as final sprint begins - the guardian trump whitehouse politics,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n2874,11/2/2020,trump supporters vs isis supporters,United States of America,New York,NY,Donald Trump,0,-0.1\r\n2875,11/2/2020,trump thanks to you this stadium is empty for this nfl sunday game &amp; all the rest too &amp; for the whole dam year trump. my job is now in jeopardy too yea trump thanks to you. why the \xe2\x80\x9ch\xe2\x80\x9d should i or any rational person vote for you,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n2876,11/2/2020,trump trump2020,United States of America,California,CA,Donald Trump,2,0\r\n2877,11/2/2020,trump trump2020landslidevictory bidenharris,United States of America,New York,NY,Donald Trump,2,0\r\n2878,11/2/2020,trump vote borat,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n2879,11/2/2020,trumpterroism trump,United States of America,California,CA,Donald Trump,2,0\r\n2880,11/2/2020,trumpwarroom scottadamssays wall street heavily funding joebiden either means they either aren't scared of the any 2017 tax cuts actually being repealed or they'll be exempt or immune if they are.  election2020 kag2020 trump votersuppression,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n2881,11/2/2020,tv hosts confront trump advisers on president's smear against doctors - huffpost  one day americanvoters will catch on and see  your all following a demigod that\xe2\x80\x99s going to take you all down crashandburn with trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n2882,11/2/2020,two days to go..... trump.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n2883,11/2/2020,unfortunately all his other actions drove up cost of living. despite all the finger wagging at joebiden trump realizes he\xe2\x80\x99s unable to hide massive tax hikes on horizon to pay for trump\xe2\x80\x99s spending in the trillions,United States of America,California,CA,Donald Trump,0,-0.7\r\n2884,11/2/2020,via rawstory georgia rally moved to zoom after pro-trump \xe2\x80\x98militia\xe2\x80\x99 threatened democratic event  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.5\r\n2885,11/2/2020,victory is coming i can feel it. i want more patriot followers so we can have a great victory celebration on nov 4 patriots follow &amp; retweet. i will always follow back. let\xe2\x80\x99s unite &amp; be strong together trumptrain2020 trump2020landslide maga2020 trump,United States of America,Florida,FL,Donald Trump,1,0.5\r\n2886,11/2/2020,vote biden trump immigration hunter hashtag,United States of America,Texas,TX,Donald Trump,2,0\r\n2887,11/2/2020,vote trump forwardwithtrumpnotbackwithbiden -,United States of America,Florida,FL,Donald Trump,2,0\r\n2888,11/2/2020,vote \xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 biden trump 2020election,United States of America,Arizona,AZ,Donald Trump,1,0.1\r\n2889,11/2/2020,votebluetoendthenightmare - could have not said it better - realdonaldtrump has got to go foxnews oann trump vote,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n2890,11/2/2020,w_terrence we\xe2\x80\x99ll be so victorious if trump wins another term we just can\xe2\x80\x99t get cocky. godswillbedone faith hope trump2020,United States of America,Nevada,NV,Donald Trump,0,-0.3\r\n2891,11/2/2020,wait. wait. wait. so when trump had covid he called fauci. but he wants us not to listen to fauci and instead take advise from a neurologist who says the complete opposite of every top infectuous desease doctor in the world \xf0\x9f\xa4\x94 - houston chron\xf0\x9f\x91\x87,United States of America,Tennessee,TN,Donald Trump,0,-0.3\r\n2892,11/2/2020,we all know trump &amp; the gop's campaign strategy is basically voter intimidation suppression litigation. but now they're not just intimidating voters but also the opposing campaign. election2020,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n2893,11/2/2020,we always knew that trump was going to contend the election. he's been laying a verbal crumb trail since january of 2020. countallvotes,United States of America,Tennessee,TN,Donald Trump,2,0\r\n2894,11/2/2020,we should have been able to do that too stupid trump and him not responding to this sooner or better yet not believing in scientists,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n2895,11/2/2020,well if that were the prerequisite trump would\xe2\x80\x99ve been out on his ass years ago,United States of America,California,CA,Donald Trump,0,-0.8\r\n2896,11/2/2020,what are the democrat\xe2\x80\x99s strategy get an old person as biden into power so he won\xe2\x80\x99t make it through his mandate and then his vp becomes the first black american woman president of the unitedstates kamala who is the leader of them all hillary  just vote for trump,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n2897,11/2/2020,what was the purpose of this trump nyc,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2898,11/2/2020,which election2020 presidential candidate is gaining more momentum biden or trump see the tech analytics at,United States of America,California,CA,Donald Trump,1,0.1\r\n2899,11/2/2020,who really cares about your social life. tell us more about the repercussions of the virus. in stead of catching it at these rallies read stories about parents who see know way out and are snapping and killing their own family or spouse. all because our jackass trump refused,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n2900,11/2/2020,why joe biden is a lesser evil than bernie sanders or greens' howie hawkins  blacklivesmatter trumpownseverydeath trump trumpdemic trumphascovid via clayclai,United States of America,California,CA,Donald Trump,0,-0.5\r\n2901,11/2/2020,will these lucky trump rally participants be one of the 30000 with a positive covid19 &amp; one of the 700 who die from covid19 after attending a trump rally  vote bidenharristosaveamerica,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2902,11/2/2020,wisconsin 2016 vs 2020 election polls electionday election2020 bidenharris trump,United States of America,New York,NY,Donald Trump,2,0\r\n2903,11/2/2020,with record turnout joe biden will win the popular vote election2020 electionprediction  joebiden donaldtrump presidentialelection pubsentpoll,United States of America,New York,NY,Donald Trump,1,0.5\r\n2904,11/2/2020,worldnetdaily man she is just handing michigan over to trump. gotta love it,United States of America,Virginia,VA,Donald Trump,1,0.1\r\n2905,11/2/2020,wow we have a winner dumptrump2020 trump maga maga2020 magats ridenwithbiden2020 joebiden realdonaldtrump,United States of America,Florida,FL,Donald Trump,1,0.8\r\n2906,11/2/2020,wtf did i just watch nfl suspend him for year. fight angermanagement saints bears wait till the election at least vote trump biden,United States of America,New York,NY,Donald Trump,0,-0.6\r\n2907,11/2/2020,wtf trump,United States of America,California,CA,Donald Trump,0,-0.7\r\n2908,11/2/2020,yes it is. \xf0\x9f\xa4\xac trump election2020,United States of America,Indiana,IN,Donald Trump,1,0.2\r\n2909,11/2/2020,yes the criming has been virtually ignored. trump,United States of America,Indiana,IN,Donald Trump,0,-0.4\r\n2910,11/2/2020,yo apple... i\xe2\x80\x99m thinking on the next update you add a maga hat or someone wearing a maga hat in your emojis. trump kag appleevent,United States of America,Illinois,IL,Donald Trump,2,0\r\n2911,11/2/2020,yo iamjohnoliver 5th week in a row of no coverage about the war in artsakh started by turkey &amp; azerbaijan glad to hear about trump &amp; covid again while civilians are being shelled. after tuesday it\xe2\x80\x99s all election so you missed an opportunity for credibility. thanks,United States of America,California,CA,Donald Trump,2,0\r\n2912,11/2/2020,you don\xe2\x80\x99t often see somebody convict themself of crimes of assault and voterintimidation and you see it less announced on socialmedia. but that\xe2\x80\x99s a trump for you unintelligent from the top down. donaldtrump donaldtrumpjr trumptraintexas fbi joebidenkamalaharris2020,United States of America,California,CA,Donald Trump,2,0\r\n2913,11/2/2020,you're right joey realdonaldtrump and donaldjtrumpjr should get a few malinois puppies for the trump family.,United States of America,District of Columbia,DC,Donald Trump,1,0.3\r\n2914,11/2/2020,\xe2\x80\x9cchristians\xe2\x80\x9d outside the place of worship \xe2\x81\xa6joebiden\xe2\x81\xa9 goes every sunday saying vile things while worshipping donaldtrump the antichrist not able to cite one christ like thing he\xe2\x80\x99s done. hypocrites fakechristians,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n2915,11/2/2020,\xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 number 4 ouch trump's stock market performance falls short of obama's clinton\xe2\x80\x99s and georgehwbush sad axios,United States of America,California,CA,Donald Trump,0,-0.7\r\n2916,11/2/2020,\xf0\x9f\x8c\xbb\xf0\x9f\x8c\xbb\xf0\x9f\x8c\xbbtrump  makes\xf0\x9f\x8c\xad\xf0\x9f\x8c\xad\xf0\x9f\x8c\xad one last pitch \xe2\x9a\xbe\xef\xb8\x8f\xe2\x9a\xbe\xef\xb8\x8f\xe2\x9a\xbe\xef\xb8\x8fto michigan  \xf0\x9f\x92\x99\xf0\x9f\x92\x99\xf0\x9f\x92\x99 voters,United States of America,Texas,TX,Donald Trump,2,0\r\n2917,11/2/2020,\xf0\x9f\x93\xa3 new podcast episode 61 - the most important erection of your life on spreaker anarcho_capitalism ancap austrian biden chaos civil covid democracy election hoppe hunter libertarian mayhem mises pandemic rothbard terror trump,United States of America,California,CA,Donald Trump,0,-0.4\r\n2918,11/2/2020,\xf0\x9f\x94\xb4 watch live president trump holds make america great again rally in ro...  via youtube trump \xf0\x9f\x99\x8f\xf0\x9f\x8f\xbb\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Florida,FL,Donald Trump,1,0.5\r\n2919,11/2/2020,bet on trump information maga maga2020 trump2020  trumptrain trumprally  trump soccer bettingtwitter gamblingtwitter bettingppicks freepick mlb nfl ncaaf nba nhl cfl tennis cbb ufc wweraw  nascar wager sports espn vsin,United States of America,Nevada,NV,Donald Trump,0,-0.1\r\n2920,11/2/2020,bet on trump information maga maga2020 trump2020  trumptrain trumprally  trump tcot,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n2921,11/2/2020,donaldtrump illegal the 1776 commission is an illegal indoctrination program. one look at this site tells you all you need to know about the intentions of this executive order. 1/,United States of America,Kansas,KS,Donald Trump,0,-0.3\r\n2922,11/2/2020,investors pine for a \xe2\x80\x98clear victory\xe2\x80\x99 \xe2\x80\x94 what\xe2\x80\x99s at stake for markets in the biden-trump election showdown trump political potus,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n2923,11/2/2020,trump trumpnotfitforoffice resist biden2020 biden bidenharris2020tosaveamerica,United States of America,Pennsylvania,PA,Donald Trump,1,0.1\r\n2924,11/2/2020,...stubbornly uninformed... guesswho vote ohio pennsylvania arizona florida trump 2020election,United States of America,Nebraska,NE,Donald Trump,2,0\r\n2925,11/2/2020,.alyssafarah the next time a gossip-monger reporter like foxnews' sandrasmith asks you a snarky question about presidenttrump's tweets mannerisms etc. tell him/her that we love them if they don't like trump's tweets they can vote for biden's barks in the parking lot.,United States of America,Nevada,NV,Donald Trump,0,-0.6\r\n2926,11/2/2020,.\xe2\x81\xa6ladygaga\xe2\x81\xa9 is motivating \xe2\x81\xa6potus\xe2\x81\xa9 supporters better than anything to vote trump.  brilliant lady gaga.  brilliant. pittsburgh this is what she thinks of you.,United States of America,California,CA,Donald Trump,1,0.4\r\n2927,11/2/2020,1 more  day the right to vote is the fight to vote votersuppression votebluetoendthenightmare election2020 gopcorruptionovercountry cheating by trump and republicans likely in rural red counties voteoutthegop voteouttrump voteouteveryrepublican voteoutcorruptgop,United States of America,Georgia,GA,Donald Trump,0,-0.7\r\n2928,11/2/2020,11/3/2020- the finish line presidentialrace 2020race 2020election decision2020 trump biden donaldtrump joebiden trump2020 biden2020,United States of America,Tennessee,TN,Donald Trump,2,0\r\n2929,11/2/2020,1957_kbo newsnationnow been to the whitehouse in the past few months trump obviously lives in fear &amp; is a  purveyor of panic himself...and he's adding to the already over-the-top security immediately before election2020 ...smh,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n2930,11/2/2020,25thamendmentnow   trump \xe2\x80\x95 who brags about being the law and order candidate \xe2\x80\x95 is encouraging his supporters to endanger the lives of his political opponents two days before americans finish casting their ballots.  via huffpostpol,United States of America,New York,NY,Donald Trump,0,-0.4\r\n2931,11/2/2020,25thamendmentnow  trump is reportedly planning to declare election day victory if ahead regardless of uncounted votes  via yahoo,United States of America,New York,NY,Donald Trump,0,-0.1\r\n2932,11/2/2020,3rd november trump2020landslidevictory trumppence2020 trump2020nowmorethanever trump,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n2933,11/2/2020,4 yrs ago trump lost pop vote by 3-mil &amp; won ec by just 77k. four yrs 20k lies racism corrupt chaos treason &amp; impeachment later--after losing mod repubs indies women minorities suburbs youth sr's college &amp; half his non-college males--how's it poss he could win again,United States of America,New York,NY,Donald Trump,0,-0.3\r\n2934,11/2/2020,50cent diddy so did the big vote or die campaign only matter when you were trying to get the first black president into office or is it because you are all aligned with realdonaldtrump  sad man sorry people. trump bidenharris,United States of America,California,CA,Donald Trump,0,-0.3\r\n2935,11/2/2020,82% of them -- had an increased rate of new covid-19 cases one month after the rally. trump does not care about you,United States of America,Illinois,IL,Donald Trump,0,-0.5\r\n2936,11/2/2020,a joebiden administration could change the trajectory of landmark antitrust legislation that the potus trump justiceatr is pursuing against $googl. options include an amended lawsuit. exclusive coverage only on   mna bigtech mergers,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n2937,11/2/2020,a new u.s. president will be inaugurated in january 2021 well known nigerian prophet tbjoshua says as the world watches u.s. election2020 joebiden kamalaharris realdonaldtrump mike_pence biden trump electionday  via todaynewsafrica,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2938,11/2/2020,a reminder that trump only won georgia in 2016 by 231k votes. election2020,United States of America,New York,NY,Donald Trump,2,0\r\n2939,11/2/2020,a service to our country is what digital soldiers have accomplished. now it is clear even states like ny have the potential to go red. trump is our potus &amp; honestly could be for a long time. he should run in 2024\xe2\x80\x94i mean his first term should not be counted...,United States of America,New York,NY,Donald Trump,0,-0.1\r\n2940,11/2/2020,a thought when you want another chance with someone you\xe2\x80\x99re dating you don\xe2\x80\x99t get them back by stating all your grievances...unless they\xe2\x80\x99re dumb as bricks. here\xe2\x80\x99s looking at you america and trumpians maga trump bidenharris2020 vote,United States of America,California,CA,Donald Trump,0,-0.7\r\n2941,11/2/2020,a thread of articles with some reasons why donaldtrump has been a terrible president and why i voted for joebiden. \xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n2942,11/2/2020,after friday i sure hope rushlimbaugh is feeling a lot better. god bless him. trump2020landslidevictory trump,United States of America,Ohio,OH,Donald Trump,1,0.5\r\n2943,11/2/2020,after marcorubio was repeatedly humiliated by trump he is still trump\xe2\x80\x99s fascist-adjacent lapdog. rubio is a disgrace,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2944,11/2/2020,amazing how trump mirrors hitler in so many ways down to inability to pay taxes. hopefully he\xe2\x80\x99ll go to jail for treason too. resist riseup pushback trump &amp; gop = badforamerica,United States of America,California,CA,Donald Trump,0,-0.1\r\n2945,11/2/2020,america mediabias and fakenews explained ahead of election2020  realdonaldtrump americafirst trump biden markknoller rnc dnc pelosi bloomberg cnbc foxbusiness abc cnn msnbc breitbart tmz foxnews seanhannity wolfblitzer theblaze wapo,United States of America,Pennsylvania,PA,Donald Trump,1,0.3\r\n2946,11/2/2020,and mexicans too... mejicanos por trump,United States of America,New York,NY,Donald Trump,2,0\r\n2947,11/2/2020,and not a moment sooner trump you f'ing moron,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n2948,11/2/2020,and so am i don't forget lower crime and best employment rate for blacks and hispanics ever  trump,United States of America,Texas,TX,Donald Trump,1,0.3\r\n2949,11/2/2020,angie77571 i\xe2\x80\x99m so happy for you god is good trump familytimes,United States of America,Texas,TX,Donald Trump,1,0.9\r\n2950,11/2/2020,another botched exit plan by trump campaign. do these people watch any news from his previous rallies,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n2951,11/2/2020,another crazy thought about this election is that if trump loses tuesday experts in psychiatric study &amp; people who have dealt with narcissists believe he will destroy whatever he can for the next few months and we'll just watch him because of some weird thing about the rules.,United States of America,California,CA,Donald Trump,0,-0.8\r\n2952,11/2/2020,another lie.  trump didn't write this he can't even handle english. trump is just one big lie,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2953,11/2/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n2954,11/2/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n2955,11/2/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n2956,11/2/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n2957,11/2/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n2958,11/2/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n2959,11/2/2020,anti-trump please vote makeamericaunitedagain vetsforscience ftrumps operationmaga antitrump dumptrump biden2020 trump voteblue negligenthomicide blm murdererinchief bidenharris shitler fucktrumpsshit,United States of America,California,CA,Donald Trump,1,0.1\r\n2960,11/2/2020,antikoolaid occamsshavngkit altnatsecagency they are boarding up to protect themselves from the trump terrorists.,United States of America,Illinois,IL,Donald Trump,1,0.1\r\n2961,11/2/2020,as someone who's spent years mocking taunting &amp; ridiculing mediocre white guys w/ inflated egos for fun &amp; profit i suspect obama's recent campaign speeches are specifically geared to trigger trump into dropping the n-bomb. and there's still a day and a half of voting left.,United States of America,California,CA,Donald Trump,0,-0.8\r\n2962,11/2/2020,at a rally on sunday president donaldtrump said that he might fire dr. anthony fauci his administration's top infectious disease expert shortly after tuesday's election.,United States of America,Nevada,NV,Donald Trump,1,0.1\r\n2963,11/2/2020,at the end of the day trump does not support blacklivesmatter  and that mean i can not support him\xe2\x80\x9d.\xe2\x80\x9d,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n2964,11/2/2020,babydaddy babymama vote trump maga,United States of America,Michigan,MI,Donald Trump,2,0\r\n2965,11/2/2020,bad move by foxnews just now dumping out of the trump rally right when they started to play the biden crazy video.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2966,11/2/2020,be ready fightback trump freedom votered redwave2020 maga2020landslidevictory kag election2020 electionday votetrumptokeepourfreedom americafirst vote trump,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n2967,11/2/2020,believe in america and american greatness aint nothin wrong with that merica rocks   last four years have felt great after 8 years of apologizing for america with dementiajoe and hussein - no thanks keep that nonsense in the democratic party. the latins went trump,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n2968,11/2/2020,beyonce apparently trump wants to rewrite history. his executive order is basically nazi book burning. america usa covid19,United States of America,California,CA,Donald Trump,0,-0.3\r\n2969,11/2/2020,bgbennie what a stupid bot 2/3rds of foxnews is given in or realize they are not allowed to support any good news for trump,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2970,11/2/2020,biden attacks trump for doctors claim.  biden trump election2020,United States of America,New York,NY,Donald Trump,0,-0.2\r\n2971,11/2/2020,biden bidenharris trump,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2972,11/2/2020,biden campaign seeks to head off trump efforts to prematurely claim victory trump politicalviews political,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n2973,11/2/2020,biden harris bidenharris2020 trump trump2020 redwaverising,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n2974,11/2/2020,biden supera a trump por 10 puntos a nivel nacional -  evnews joebiden donaldtrump eeuu,United States of America,Florida,FL,Donald Trump,1,0.7\r\n2975,11/2/2020,biden supera a trump por 10 puntos a nivel nacional -  evnews joebiden donaldtrump eeuu,United States of America,Florida,FL,Donald Trump,1,0.7\r\n2976,11/2/2020,biden supera a trump por estrecho margen en florida en la v\xc3\xadspera de elecci\xc3\xb3n -  evnews biden trump eleccioneseeuu,United States of America,Florida,FL,Donald Trump,1,0.4\r\n2977,11/2/2020,biden2020harris chrisrock youtube trevornoah thedailyshow                                                          dickie goodman novelty greatest trump trump usa jon goodman mashup realityshow sharkweek dew spacex music comedy spaceforce flyingsaucer ufo nasa babyshark ancientaliens election2020,United States of America,California,CA,Donald Trump,1,0.5\r\n2978,11/2/2020,bigbluewaveusa markmeadows you make no sense.donaldtrump rallies are super spreaders of covin19.where are your morals.i thought you were a true christian.obviously you are not,United States of America,California,CA,Donald Trump,0,-0.8\r\n2979,11/2/2020,bitch we been done known this trump is the definition of bitchmade,United States of America,Georgia,GA,Donald Trump,0,-0.9\r\n2980,11/2/2020,bmp7088 trump fully supports blackamerica   vote against rasism and division trumppence2020 \xf0\x9f\x99\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n2981,11/2/2020,boardedupstores are another sign of electionanxiety\xc2\xa0  voxdotcom news boardedupbusiness electiondayprotests electionday protests election2020 electionnight elections2020 2020elections 2020election trump biden trumpispathetic bidenharris2020,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n2982,11/2/2020,breitbartnews surprising that a self identified victim of bullying &amp; spokeswoman 4 antibullying  ladygaga ladygaga would tarnish her own foundation btwfoundation with this sarcastic &amp; mocking vignette of trump patriots voteredtosaveamerica  bornthiswayfou,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n2983,11/2/2020,bryanbehar lexiipexii_ suburban women to trump november 3rd joebyedon,United States of America,Nevada,NV,Donald Trump,2,0\r\n2984,11/2/2020,can relate. also  election ny 2020 biden trump crazy pandemic vote youknowthething fgc,United States of America,New York,NY,Donald Trump,0,-0.1\r\n2985,11/2/2020,can\xe2\x80\x99t wait for all the rioting on tuesday/wednesday *sarcasm* farleft farright you\xe2\x80\x99re all dumb af. 2020election election2020  electionday trump biden,United States of America,New York,NY,Donald Trump,0,-0.3\r\n2986,11/2/2020,cellular immunity to sars-cov-2 found at six months in non-hospitalised individuals | uk-cic election2020 trump voteredtosaveamerica,United States of America,Texas,TX,Donald Trump,2,0\r\n2987,11/2/2020,charlie gerow a gop strategist of brazilian descent in harrisburg says the ground work by the trump campaign over the summer with latino voters will \xe2\x80\x9cpay huge dividends\xe2\x80\x9d on election day.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.2\r\n2988,11/2/2020,chawshin_83 g6tvivx09wl6ayi it does not matter much to us when it happens but we would like trump to be trump,United States of America,New York,NY,Donald Trump,2,0\r\n2989,11/2/2020,churchcandace wow trump predicted himself in 1980 share this maga,United States of America,Louisiana,LA,Donald Trump,2,0\r\n2990,11/2/2020,compare this to the miserable gatherings the biden/harris campaign is hosting. night and day trump 2020. trump2020 trump,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n2991,11/2/2020,complexwroteit election2020 2020election bidenharris2020 trump voteresponsibly americafirst americaortrump,United States of America,Georgia,GA,Donald Trump,2,0\r\n2992,11/2/2020,coronavirus update trump threatens to fire top infectious-disease expert fauci as u.s. deaths top 231000 political potus trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n2993,11/2/2020,covid19 is called a \xe2\x80\x9cnatural disaster\xe2\x80\x9d that only occurs once a century by many political leaders in countless countries yet in the usa the far left keeps blaming the trump administration for what\xe2\x80\x99s happening. give me a break. gop thedemocrats gop democrats vp whitehouse,United States of America,Wyoming,WY,Donald Trump,0,-0.3\r\n2994,11/2/2020,cspan mike_pence trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  via nyi_news follow the new york independent on twitter,United States of America,New York,NY,Donald Trump,1,0.2\r\n2995,11/2/2020,curtisandjuliet such a shame totally agree w/juliet the fear of riots at elections - none of this ever happened in the usa before trump. he has begun the dissolution of the unitedstates. never before has a republican or democrat candidate incited followers to violence.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n2996,11/2/2020,dancrenshawtx this guy tried to force the biden campaign bus off the road. this guy side swiped a car driven by a biden campaign worker. he is dangerous. this is a trump supporter. how proud you must be.....,United States of America,Wisconsin,WI,Donald Trump,0,-0.3\r\n2997,11/2/2020,davidletterman  says a trump loss would be 'a relief to every living being in this country'  via yahoo,United States of America,New York,NY,Donald Trump,1,0.1\r\n2998,11/2/2020,debating a trump supporter on pakistan\xe2\x80\x99s tv channel samaatv who questions my religious values.hey i vote on my american values of pluralism respect &amp; inclusion for all. i vote for decency and humanity. i\xe2\x80\x99m a proud muslim &amp; i voted for joebiden kamalaharris thedemocrats,United States of America,California,CA,Donald Trump,1,0.3\r\n2999,11/2/2020,deep subject... and coincidentally where trump finds himself right now.,United States of America,Missouri,MO,Donald Trump,1,0.3\r\n3000,11/2/2020,delraybeach voted for trump,United States of America,Florida,FL,Donald Trump,2,0\r\n3001,11/2/2020,democracy is important to them above all else. they cherish basic decency in human interaction. they oppose fascism  &amp; racism. they believe that immigrants should get a fair shake at the american dream. elections israel jews biden trump democracy,United States of America,California,CA,Donald Trump,0,-0.3\r\n3002,11/2/2020,demonrats i mean democrats are at it again tryna fudge that mans name trump y\xe2\x80\x99all hoes mad realdonaldtrump finna whoop that ass again for another 4 years,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n3003,11/2/2020,did you catch the latest episode of cartoonpresident on showtime last night there\xe2\x80\x99s still time to catch up on this season before the finale this upcoming sunday biden and trump voiced by jeffbergmanofficial,United States of America,California,CA,Donald Trump,2,0\r\n3004,11/2/2020,dknight10k seriously. do not let his nonsense halt voting. trump trumpisaloser 2020elections,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n3005,11/2/2020,dnc can only look in the mirror and blame themselves dnc got rid of the more popular sensanders and replaced with corrupt joebiden who selected an even more unpopular kamalaharris so they stepped in their own dogpoop thinking the tds hatred for trump could win. sad,United States of America,California,CA,Donald Trump,0,-0.8\r\n3006,11/2/2020,do republicans like bullies if so vote for a nothing man trump who tears down someone who served the public for his whole life faucihero if you want trump\xe2\x80\x99s worldview- sorry but you are not a truepatriot,United States of America,New York,NY,Donald Trump,0,-0.9\r\n3007,11/2/2020,do you support potentially deadly violence on i35 &amp; voter suppression sentedcruz and you johncornyn yeah clearly you do. you're a pair of hollow souls long-sold to trump a tin god sprayed w/off-brand gold paint. trumpsupportersareterrorists trumpvirusdeathtoll230k,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n3008,11/2/2020,don't listen to the purposely misleading msm when they tell us that oldjoe is up double-digits nationally.  their message is to sway trump voters into believing that their vote for him would be a waste of time since joementia can't be stopped. turn off the noise votetrump,United States of America,New York,NY,Donald Trump,0,-0.7\r\n3009,11/2/2020,don't need any test to determine that 220000 are dead because of donaldtrump,United States of America,New York,NY,Donald Trump,0,-0.7\r\n3010,11/2/2020,donald trump jr. dismisses covid-19 deaths.  trump donaldtrumpjr election2020,United States of America,New York,NY,Donald Trump,2,0\r\n3011,11/2/2020,donaldjtrumpjr is it me or is joe worse than kilary clinton. it must be so embarrassing to have a nominee this bad. it\xe2\x80\x99s impossible for quid pro joe to win. america can\xe2\x80\x99t be this stupid. vote for common sense. president donald j. trump and the republican party accross the ticket. trump,United States of America,New York,NY,Donald Trump,0,-0.5\r\n3012,11/2/2020,donaldtrump donaldtrumpjr potus  trumpcrimefamily realdonaldtrump,United States of America,Hawaii,HI,Donald Trump,1,0.3\r\n3013,11/2/2020,donaldtrump potus,United States of America,Minnesota,MN,Donald Trump,1,0.3\r\n3014,11/2/2020,donaldtrump suggests he\xe2\x80\x99ll fire dranthonyfauci shortly after the election after his supporters chanted \xe2\x80\x9cfire fauci\xe2\x80\x9d in response to the coronavirus. the information in this video is subject to fact checking.,United States of America,Louisiana,LA,Donald Trump,0,-0.3\r\n3015,11/2/2020,dont vote for trump...theres already enough bugs in the whitehouse,United States of America,Colorado,CO,Donald Trump,0,-0.8\r\n3016,11/2/2020,donwinslow superspreadertrump superspreaderevent superspreaderinchief superspreaderrallies trumpisunfitforoffice trumpisaracist trump,United States of America,California,CA,Donald Trump,2,0\r\n3017,11/2/2020,donwinslow trump only cares about trump. everyone else is expendable.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n3018,11/2/2020,don\xe2\x80\x99t be a dump vote trump. don\xe2\x80\x99t let the right in a year say \xe2\x80\x9cwe told ya so\xe2\x80\x9d try again in four years with someone who\xe2\x80\x99s brain isn\xe2\x80\x99t mush. be very careful. we dont wanna say we told ya so 2020elections americasgreatestmistake trump2020landside trump maga americafirst,United States of America,Oregon,OR,Donald Trump,0,-0.6\r\n3019,11/2/2020,don\xe2\x80\x99t him near your kids trump,United States of America,Nevada,NV,Donald Trump,0,-0.8\r\n3020,11/2/2020,dr. fauci is 10000% more credible trustworthy and intelligent than donald trump drfauci trump covid19 bidenharris2020tosaveamerica,United States of America,California,CA,Donald Trump,1,0.4\r\n3021,11/2/2020,een jaar lang schreven we toe naar 3 nov. onze beste verhalen en een paar nieuwe bundelde  we in dit boek. met voorwoord van mariekenos nu te koop via  of  elections2020 trump biden covid,United States of America,Maryland,MD,Donald Trump,1,0.8\r\n3022,11/2/2020,el hombre de trump  en miami cuba .  via lajovencuba,United States of America,California,CA,Donald Trump,2,0\r\n3023,11/2/2020,el_kanon aoc just like a trump supporter to accuse dems of doing exactly what trump has been doing his entire life.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n3024,11/2/2020,elecciones2020 electionday bidenharris maga votebluetoendthenightmare maga2020 votehimout bidenharris2020 election2020 vote donald donaldtrump,United States of America,California,CA,Donald Trump,1,0.2\r\n3025,11/2/2020,election will be decided in two states pennsylvania and arizona.   if biden wins one of these two he doesn't need florida.  landslide scenario requires fl for biden.  landslide scenario requires fl and pa for trump. election2020 bidenharris trump anxiety2020,United States of America,New York,NY,Donald Trump,0,-0.1\r\n3026,11/2/2020,election2020 poll trump biden,United States of America,California,CA,Donald Trump,1,0.2\r\n3027,11/2/2020,election2020 voteredlikeyourlifedependsonit trump maga fuck socialism,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n3028,11/2/2020,electionday eeuudecide2020 election2020 elecciones2020 elections2020 trump biden,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n3029,11/2/2020,electionday is this tuesday are you going to vote does the black &amp; latin vote count the ctfs crew hit the streets to interview republican &amp; democratic constituents. tunein 3pm on iuicevents youtube &amp; israelunitedinchrist facebook. trump v biden,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n3030,11/2/2020,electionday is this tuesday are you going to vote does the black &amp; latin vote count the ctfs crew hit the streets to interview republican &amp; democratic constituents. tunein 3pm on iuicevents youtube &amp; israelunitedinchrist facebook. trump v biden cutsfromthestreets,United States of America,Kentucky,KY,Donald Trump,2,0\r\n3031,11/2/2020,electioneve trumpmustgo trump,United States of America,Georgia,GA,Donald Trump,2,0\r\n3032,11/2/2020,electionpoll trump biden maga,United States of America,Texas,TX,Donald Trump,1,0.1\r\n3033,11/2/2020,eleicoes2020  eleicoeseua trump  trump2020tosaveamerica  trump2020 eleicoesnoseua,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n3034,11/2/2020,eleicoes2020  eleicoeseua trump  trump2020tosaveamerica  trump2020 eleicoesnoseua,United States of America,District of Columbia,DC,Donald Trump,1,0.1\r\n3035,11/2/2020,enough \xe2\x9c\x8a\xf0\x9f\x8f\xbb\xe2\x9c\x8a\xf0\x9f\x8f\xbd\xe2\x9c\x8a\xf0\x9f\x8f\xbf trump byedon,United States of America,New York,NY,Donald Trump,1,0.1\r\n3036,11/2/2020,epstein could tell stories about trump michiganfortrump dumptrump the guy is a clown and a rephrensible person,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n3037,11/2/2020,evanakilgore realdonaldtrump joebiden trump should win,United States of America,Massachusetts,MA,Donald Trump,1,0.3\r\n3038,11/2/2020,even the audience are like... actually we love her so shut the fuck up. \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82 trump ladygaga vote,United States of America,New York,NY,Donald Trump,0,-0.2\r\n3039,11/2/2020,even the gophers are against trump   damn spell check but then again i kinda like the change from gop,United States of America,California,CA,Donald Trump,0,-0.2\r\n3040,11/2/2020,exactly and today trump had the completely delusional nerve and unmitigated gall to call those utterly blatant thugs on the highway in texas patriots trumpthugsonthehighway\xf0\x9f\x98\xb7\xf0\x9f\x98\xb7\xf0\x9f\x98\xb7\xf0\x9f\x98\xb7\xf0\x9f\xa4\x94\xf0\x9f\xa4\x94\xf0\x9f\xa4\x94\xf0\x9f\xa4\xaf\xf0\x9f\xa4\xaf\xf0\x9f\xa4\xaf,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n3041,11/2/2020,experts warn that extremist groups are harboring 'violent fantasies' about the election  extremist violence election vote trump biden,United States of America,Maryland,MD,Donald Trump,0,-0.8\r\n3042,11/2/2020,fact  it would take 136 jumbo 747\xe2\x80\x99s to transport trump supporters to a trump rally vs  taking 1 prius to transport biden supporters to a biden rally.  realdonaldtrump dc_draino raheemkassam danscavino richardgrenell acosta realrlimbaugh maga2020 presidenttrump,United States of America,Nebraska,NE,Donald Trump,2,0\r\n3043,11/2/2020,faucihero needs to fire trump asap,United States of America,California,CA,Donald Trump,0,-0.6\r\n3044,11/2/2020,fbi agent political speech results in discipline only when trump is criticized. the practice of applying such discipline is itself new.,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n3045,11/2/2020,feels a lot like xmas eve \xf0\x9f\x9a\x82 election2020 trump,United States of America,Pennsylvania,PA,Donald Trump,1,0.3\r\n3046,11/2/2020,firetrump firefauci coronavirus vote2020 elecciones2020 bidenharris2020 donaldtrump 2020elections trumpvirus,United States of America,Indiana,IN,Donald Trump,1,0.4\r\n3047,11/2/2020,florida do not use the mail. please vote in person if you can. we must votebidenharristosaveamerica trump wants to steal the election don't let him,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n3048,11/2/2020,forecasterenten so dick\xe2\x80\x99s vote for trump,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n3049,11/2/2020,foxnews reports the director of the worldhealthorganization who is infected with covid19 but shows no symptoms. if needed presidenttrump could provide him with a vaccine therapeutics or ventilator thanks to trump's great leadership foresight and operationwarpspeed.,United States of America,Nevada,NV,Donald Trump,1,0.1\r\n3050,11/2/2020,foxnews she lived in pa... she wasn't mocking them she was paying homage to her roots... but yeah maybe ted can play closing night for trump...,United States of America,California,CA,Donald Trump,2,0\r\n3051,11/2/2020,from a purely strategic perspective i cannot understand potus trump making an attack on drfauci a significant part of his closing argument before the election. this hostility to science coupled with covid denialism and incompetent messaging and response could sink him.,United States of America,Alabama,AL,Donald Trump,0,-0.8\r\n3052,11/2/2020,from the reminder-that-this-isn't-normal category a handy roundup of which trump associates have been arrested and what they did.,United States of America,Illinois,IL,Donald Trump,0,-0.7\r\n3053,11/2/2020,fuck donaldtrump  we miss obama,United States of America,New York,NY,Donald Trump,0,-0.8\r\n3054,11/2/2020,get out there and vote tomorrow  otherwise i don't want to hear anyone bitching about the fascist trump or marxist biden winning since you didn't participate into changing anything. vote2020 election2020 electionday,United States of America,New York,NY,Donald Trump,0,-0.1\r\n3055,11/2/2020,get trump outta there,United States of America,Louisiana,LA,Donald Trump,0,-0.3\r\n3056,11/2/2020,glennkirschner2 fuckingwall s trump has built. he\xe2\x80\x99s walled out the world. he\xe2\x80\x99s walled out sensible and reasonable people from government. it takes years to build democracy and hours and minutes to destroy. justicematters,United States of America,Nevada,NV,Donald Trump,1,0.1\r\n3057,11/2/2020,global markets under trump build the wall street\xe2\x80\xa6 and china - kfgo news politics trump whitehouse,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n3058,11/2/2020,gloriaborger is fabulous when it comes to her take no prisoners approach to trump,United States of America,District of Columbia,DC,Donald Trump,1,0.7\r\n3059,11/2/2020,goes to show how trump loves the ignorant and uneducated.,United States of America,California,CA,Donald Trump,1,0.3\r\n3060,11/2/2020,goldenage369 gratefuldad4evr tommypvideo joebiden crowd size in 2020 is not indicative of voting rates.  donaldtrump is a celebrity who has fandom.  if mick jagger was turning up - he would have the same following.,United States of America,New York,NY,Donald Trump,0,-0.1\r\n3061,11/2/2020,good people do not vote for a cruel and self-absorbed sociopath-or is trump a psychopath trump wrongly incites violence by supporting highway harassment of biden bus,United States of America,North Carolina,NC,Donald Trump,0,-0.8\r\n3062,11/2/2020,gop realdonaldtrump trumplieseverytimehespeaks trump covid19,United States of America,California,CA,Donald Trump,2,0\r\n3063,11/2/2020,gotta love the cubans that believe trump gives a fuck about cuba. no puppets. he just wants your votes. election2020,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n3064,11/2/2020,gotta love this. trump biden,United States of America,North Carolina,NC,Donald Trump,1,0.4\r\n3065,11/2/2020,gottlieb disagrees with trump and predicts thanksgiving will be an 'inflection point' for winter coronavirus surge. coronavirus thanksgiving trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n3066,11/2/2020,grandpasnarky i wish it were that simple. it's best though that we remember trump for the walking atrocity that he is for the same reason that the germans preserve concentration camps and have memorials to the holocaust that so history does not repeat itself. votebluetoendthenightmare,United States of America,Texas,TX,Donald Trump,1,0.1\r\n3067,11/2/2020,gross actions by trump's followers... we can all play dumb but we know what those trump flags represent.. those may as well be confederate flags flying high.  trump biden bidenharristosaveamerica,United States of America,Wisconsin,WI,Donald Trump,0,-0.2\r\n3068,11/2/2020,gulliblewhitemaletrumpvoters trump trumpsupporters,United States of America,North Carolina,NC,Donald Trump,2,0\r\n3069,11/2/2020,had obama been acting like trump &amp; lying about covid19 allowing bounties on our servicewomen/men allowed massive hysterectomies allowing black panthers to ram a trump car for protesting that morningjoe msm would be talking about voting for him hell no votebidenharris,United States of America,New York,NY,Donald Trump,0,-0.9\r\n3070,11/2/2020,halloween2020 hmmm. nice local kids to residents who put out candy for them... happy halloween thank you for the candy\xe2\x80\x9d \xe2\x80\x94other non local kid dumps all the candy in his bags shout obscenities  usa is a civil place - thedelraypost will be supporting donaldtrump potus cnn,United States of America,Florida,FL,Donald Trump,1,0.5\r\n3071,11/2/2020,hamillhimself cuts political ad slamming trump  via youtube,United States of America,Nebraska,NE,Donald Trump,0,-0.4\r\n3072,11/2/2020,happy election eve this is where we take back the country. vote election2020 biden trump,United States of America,Texas,TX,Donald Trump,1,0.3\r\n3073,11/2/2020,hate and attack .. all he does what is trump plan oh yeah i know \xe2\x80\x9chate and attack\xe2\x80\x9d ~~&gt;,United States of America,California,CA,Donald Trump,0,-0.8\r\n3074,11/2/2020,have you voted yet or are you waiting to vote tomorrow or are you not voting which you shouldn't not vote vote voteresponsibly bidenharris2020 trump electioneve electionday,United States of America,California,CA,Donald Trump,0,-0.8\r\n3075,11/2/2020,having deliberately downplayed the danger of the pandemic trump is now attacking dr. fauci for saying that trump did not take it seriously.,United States of America,New Jersey,NJ,Donald Trump,0,-0.7\r\n3076,11/2/2020,here are three maps via sahilkapur narrow trump victory; biden blowout; narrow biden victory. i'll add one more ultra-narrow biden path to 270 lose pa win az win 1 ev from omaha nebraska.,United States of America,New York,NY,Donald Trump,2,0\r\n3077,11/2/2020,here is nicolas maduro of socialist venezuela sending his wishes to \xe2\x81\xa6joebiden\xe2\x81\xa9 calls him \xe2\x80\x98comrade\xe2\x80\x99. bidenharris2020 biden elecciones2020 polls trump trump2020 \xe2\x81\xa6realdonaldtrump\xe2\x81\xa9 venezuela cuba miamifortrump florida vote,United States of America,New York,NY,Donald Trump,0,-0.5\r\n3078,11/2/2020,hitler is in the whitehouse the police have gone awry and beserk.  we are under siege by donaldtrump.  we must takebackamerica  votebidenharris restoresanity restorecivility restorelaworder restoredecency lockupdonaldtrump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n3079,11/2/2020,how dare trump complain abt a coup to remove him with full fakenewsmedia complicity.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n3080,11/2/2020,how wikipedia is preparing for electionday  via voxdotcom news electionday election2020 elections2020 electionnight 2020election 2020elections trump biden bidenharris2020 hope,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n3081,11/2/2020,huge week ahead with sports betting referendums in several states betting markets on the u.s. presidentialelection2020 the barstoolsports launch in colorado and the breederscup. someone won $2.5m on a trump bet in 2016 wonder if there will be a higher payout this year.,United States of America,Nevada,NV,Donald Trump,2,0\r\n3082,11/2/2020,i absolutely love that kamalaharris is so down to earth with her dancing and wearing sneakers. while fly boy mike pence has no personality like covid19 spreading trump .khive,United States of America,Massachusetts,MA,Donald Trump,1,0.1\r\n3083,11/2/2020,i am a senior and i am voting for donaldtrump because a vote for biden is a vote for kamalaharris radical socialist as president because joe won't last a year. redwave2020,United States of America,California,CA,Donald Trump,2,0\r\n3084,11/2/2020,i believe mistakes can be corrected. tomorrow america has the power to correct a mistake it made four years ago. the only way we can correct this mistake is by voting. please don\xe2\x80\x99t risk our future. please don\xe2\x80\x99t risk our democracy. four more years of trump would be devastating.,United States of America,Georgia,GA,Donald Trump,0,-0.6\r\n3085,11/2/2020,i can just imagine what sunday\xe2\x80\x99s would be like during football season if all us gamblers rioted every time our teams lost.  suck it up people if your team doesn\xe2\x80\x99t win and let\xe2\x80\x99s move on tomorrow. vote trump biden president nfl mikefrancesa,United States of America,New York,NY,Donald Trump,0,-0.2\r\n3086,11/2/2020,i don't think there's anything more boring than hearing trump talk about his poll numbers from 4 years ago.,United States of America,California,CA,Donald Trump,0,-0.8\r\n3087,11/2/2020,i don't understand why donaldtrump is so preoccupied by his crowd size at his rallies - he has a crowd of over 231000 souls following him wherever he goes.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n3088,11/2/2020,i finally caught that bitch  ass nigga keemyuptownn \xf0\x9f\x98\x85\xf0\x9f\x98\x85\xf0\x9f\x98\x85 thanks for \xf0\x9f\x8e\xa5 goonbello_28 \xf0\x9f\x92\xaa\xf0\x9f\x8f\xbe\xf0\x9f\x92\xaa\xf0\x9f\x8f\xbe comedy jmassiah repost viral explorepage explorepage\xe2\x9c\xa8 explore haha share nyc exoticpapee retweeet trump,United States of America,New York,NY,Donald Trump,2,0\r\n3089,11/2/2020,i guess this means getting tested gave him covid. donaldtrump stupidity,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n3090,11/2/2020,i hate america that is why i\xe2\x80\x99m voting for donaldtrump... a vote for biden would just be a bandaid on the cancer that is america...,United States of America,Florida,FL,Donald Trump,0,-0.9\r\n3091,11/2/2020,i have been watching a lot of you tube because i am sick of politics on cable. it is hysterically funny to see black people doing ads for joebiden practically begging for our vote. yet i have not seen one black person do an ad begging for a trump vote. dimms r desperate,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n3092,11/2/2020,i hope everyone is getting comfortable with one day seeing all the major traitorous players of the trump show who you think will never work again getting high-paying gigs on cnn et al. their behavior has been normalized and tv networks will hire them for the scandal alone.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n3093,11/2/2020,i just heard a comment that i loved.  joebiden is 4 years old to realdonaldtrump but trump has 40 years more mental capacity than biden. it's so funny but true__\xe2\x9c\x8d\xef\xb8\x8f \xe2\x9c\x8a,United States of America,Florida,FL,Donald Trump,1,0.5\r\n3094,11/2/2020,i know people on this platform are very pro trump i have also been. but after reading this i have a whole new perspective on biden i suggest you all take a look there are some very good points here.,United States of America,New York,NY,Donald Trump,1,0.6\r\n3095,11/2/2020,i love this man  and i\xe2\x80\x99m totally surprised fauci hasn\xe2\x80\x99t come out with something to give dems a boost.  faucithefraud firefauci trump trump2020landslidevictory fourmoreyears,United States of America,Texas,TX,Donald Trump,1,0.5\r\n3096,11/2/2020,i love you and that's not gonna change but i'll judge this one for myself. thanks em\xf0\x9f\x99\x8f\xf0\x9f\x90\x90 eminem vote donaldtrump joebiden election2020,United States of America,Ohio,OH,Donald Trump,1,0.8\r\n3097,11/2/2020,i'm not just anxious about tomorrow. i'm concerned about the damage that trump will do when he loses concerned about him inciting violence among his followers and also concerned about our national security in general.  i believe trump is truly dangerous.,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n3098,11/2/2020,idahogal1006 the chinese will foreclose on the grifter's swag company and take back all patents from his disastrous trade war. moscowmitch however will keep his secret chinese bank account for a neck lift and removal of trump's cock from his throat. maga,United States of America,Idaho,ID,Donald Trump,2,0\r\n3099,11/2/2020,if anyone feels that equality is by sitting at home collecting the same amount as an american that works their butt off just because they're lazy does not make it equality. that's called extortion. trump,United States of America,North Carolina,NC,Donald Trump,0,-0.5\r\n3100,11/2/2020,if the cases are rising an more cases are now than ever....how in the hell is trump still around n healthy if it\xe2\x80\x99s killing mfrs that\xe2\x80\x99s old where the cure y\xe2\x80\x99all used for him unless y\xe2\x80\x99all lying n there isn\xe2\x80\x99t any virus shit don\xe2\x80\x99t add up,United States of America,Pennsylvania,PA,Donald Trump,0,-0.9\r\n3101,11/2/2020,if the radicalleft wins you wont be safe. make sure to vote right like your life depends on it because it does trump maga,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n3102,11/2/2020,if trump  and trumpsupporters want a country their way then drop them off at giligan's island and be done with them trumpispathetic post as much as you can to get the vote out today occupydemocrats,United States of America,New Jersey,NJ,Donald Trump,0,-0.5\r\n3103,11/2/2020,if trump loses can you imagine how entertaining it will be watching him run again in 2024,United States of America,Georgia,GA,Donald Trump,2,0\r\n3104,11/2/2020,if trump loses tomorrow who\xe2\x80\x99s dick are conservatives going to shove in their mouths to get all of their thoughts and opinions from,United States of America,California,CA,Donald Trump,0,-0.9\r\n3105,11/2/2020,if you were writing a book about 2020 you couldn't even think half this shit up that trump is pulling...if this was 10 years ago he would have already been arrested tried and convicted of treason and god knows what else...i have lost count of all trumps illegal trangressions,United States of America,Colorado,CO,Donald Trump,0,-0.9\r\n3106,11/2/2020,if you're voting for realdonaldtrump this is what you're voting for. and that's why i can do without you. trump nazi,United States of America,California,CA,Donald Trump,0,-0.2\r\n3107,11/2/2020,illinois vote please trump,United States of America,Tennessee,TN,Donald Trump,0,-0.3\r\n3108,11/2/2020,imho - an exciting way to look at the 2020generalelection according to offshore books middle lines. biden is +208 to sweep mn wi mi pa - and accordingly -208 to lose one or more. trump is +307 to sweep tx oh ga ia - and hence -307 to lose one or more gop stronghold,United States of America,Nevada,NV,Donald Trump,1,0.1\r\n3109,11/2/2020,imkc_podcast sandylocks alvinstarks vote trump black men. don\xe2\x80\x99t be woke victims.,United States of America,California,CA,Donald Trump,0,-0.4\r\n3110,11/2/2020,in 2016 the big shocker was when trump had won. in 2020 the big shocker would be if trump loses. but have no fear he won't if the election isn't rigged. but even if he did his supporters wouldn't riot loot vandalize &amp; resist\xe2\x80\x94but biden's supporters might\xe2\x80\x94even if he won,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n3111,11/2/2020,in a plot twist karens are backing biden. richards dicks are supporting trump,United States of America,Georgia,GA,Donald Trump,0,-0.2\r\n3112,11/2/2020,is this where biden called half of america \xe2\x80\x9cugly\xe2\x80\x9d ugly chump here voting for trump tomorrow keepamericagreat2020 2020election votetrumptosaveamerica trump2020,United States of America,Minnesota,MN,Donald Trump,0,-0.8\r\n3113,11/2/2020,is this where biden called half of america \xe2\x80\x9cugly\xe2\x80\x9d ugly chump here voting for trump tomorrow keepamericagreat2020 2020election votetrumptosaveamerica trump2020,United States of America,Minnesota,MN,Donald Trump,0,-0.8\r\n3114,11/2/2020,is whiteamerica really ready to reject trump\xe2\x80\x99s fascism,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n3115,11/2/2020,it is tragic for us as a nation that we have so many citizens that support a cheesy shameless villain and demagogue like trump whether they believe his lies or not. after biden is inaugurated we must act somehow to correct this for the sake of future generations. voteblue,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n3116,11/2/2020,it's certain that trump and his family will betray democracy by attacking election and the results.  the bigger question is what will twitter facebook foxnews cnn do in response,United States of America,California,CA,Donald Trump,0,-0.1\r\n3117,11/2/2020,it's happening....trump trump2020tosaveamerica trump2020,United States of America,Illinois,IL,Donald Trump,2,0\r\n3118,11/2/2020,it\xe2\x80\x99s almost mathematically impossible for trump to be declared the winner on election night.  so why is he marking such a fuse.  he\xe2\x80\x99s a con man and no so smart.,United States of America,California,CA,Donald Trump,0,-0.8\r\n3119,11/2/2020,it\xe2\x80\x99s time to get rid of trump and the complicit gop. we can help biden with the presidency and also flip the senate. vote ourvoteispower,United States of America,New York,NY,Donald Trump,2,0\r\n3120,11/2/2020,iwf realdonaldtrump inezfeltscher total bs propaganda betsydavos is worst education secretary ever and even broke laws - she had no education experience whatsoever and only got position based on mega rich family donations to evil trump yuck bidenharris2020tosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.7\r\n3121,11/2/2020,i\xe2\x80\x99m so tired of trump trump trump but its still here 4 years later. i still try to protect myself from it daily. i don\xe2\x80\x99t want to catch the deadly trump virus. i\xe2\x80\x99m so scared i even voted to get rid of the trump. why is wearing a simple mask a problem votehimout,United States of America,California,CA,Donald Trump,0,-0.5\r\n3122,11/2/2020,i\xe2\x80\x99m totally baking this tomorrow to keep my hands busy \xe2\x9d\xa4\xef\xb8\x8f election2020 votelikeyourlifedependsonit voteredtosaveamerica trump nytimes realdonaldtrump,United States of America,Louisiana,LA,Donald Trump,1,0.8\r\n3123,11/2/2020,ja_autos tagsterltd cambridgeparts avc_leasing jasonryan7769 rjefferds tisi_leclerc henshalls glynhopkinshop simonmoffat7 osvmotoringnews clickdealerltd carcliq imda2017 carscheshire specialistcars1 cwmmotors smallbone_cars motortraderadio ebaymotorsgroup autoexcelawards lease4less mistressdeals its going to be life changing regardless of who wins trump biden,United States of America,Florida,FL,Donald Trump,1,0.7\r\n3124,11/2/2020,jim_caron ladygaga joebiden abortion is not a reason for me to choose a candidate btw. only late term.  i\xe2\x80\x99m choosing trump because overall he\xe2\x80\x99s the better person for the job..\xf0\x9f\xa4\x97\xf0\x9f\xa4\x97,United States of America,Florida,FL,Donald Trump,2,0\r\n3125,11/2/2020,joshshapiropa what kind of government official posts on the day before the election that trump will lose his state when all the votes are counted this man is contributing to vote fraud obviously. step down shapiro.,United States of America,New York,NY,Donald Trump,0,-0.8\r\n3126,11/2/2020,joyannreid maddow nicolledwallace chrislhayes lawrence stevekornacki arimelber trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  via nyi_news follow the new york independent on twitter,United States of America,New York,NY,Donald Trump,1,0.1\r\n3127,11/2/2020,just a heads up if you promised to move out off the us whe realdonaldtrump is elected it\xe2\x80\x99s time to start packing. trump2020landslidevictory trump bidencrimefamiiy,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n3128,11/2/2020,just saw a commercial that was just like we\xe2\x80\x99re returning to normal life.... i was like wtf where\xf0\x9f\x91\x80\xf0\x9f\x91\x80 but it was only a trump ad \xf0\x9f\x98\x82\xf0\x9f\x99\x84,United States of America,New York,NY,Donald Trump,0,-0.3\r\n3129,11/2/2020,kamalaharris joebiden maga trump,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n3130,11/2/2020,kenjeong people laugh at genius before they recognize it. vanderbuilt carnegie rockefeller bezos musk why bcs they only recognize it in hindsight. trump,United States of America,New Jersey,NJ,Donald Trump,0,-0.4\r\n3131,11/2/2020,ksmith30684622 if you can sleep at night with a lack of leadership children being torn away from their parents a country in a racial uproar millions of out-of-work americans in need of help and lack of a plan in a pandemic. the us is in a complete disaster on all fronts because of trump,United States of America,Georgia,GA,Donald Trump,0,-0.8\r\n3132,11/2/2020,ladybolt71 kelleyalisa scottpresler uh huh... have you listened to a trump rally biden isn't the one spreading hate &amp; division here; trump is president this is his america. let me know when biden supporters start running trump's campaign staff off the road &amp; get back to me.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n3133,11/2/2020,ladygaga just laiddown her cards on the table &amp; is betting for a joebiden's victory .. she revealed her vote is for biden the guy trump branded sleepyjoe .. she wants her fans &amp; followers to voteforbiden \xe2\x9c\x8d\xef\xb8\x8f,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n3134,11/2/2020,ladygaga thank you for taking trump nonsense.,United States of America,New York,NY,Donald Trump,1,0.3\r\n3135,11/2/2020,last minute polling in pennsylvania show biden holding a lead 2020election pa biden trump,United States of America,Colorado,CO,Donald Trump,0,-0.3\r\n3136,11/2/2020,last poll before electionday shows trump up in ohio biden stops in cleveland | newsradio wtam 1100,United States of America,Ohio,OH,Donald Trump,0,-0.1\r\n3137,11/2/2020,latimes report \xe2\x80\x9ctraveling with trump\xe2\x80\x99s disorienting  show.,United States of America,California,CA,Donald Trump,0,-0.1\r\n3138,11/2/2020,lee_in_iowa 3 strikes and you're out not with trumpers they don't realize when they've been played. trump does love stupid people.,United States of America,Florida,FL,Donald Trump,0,-0.7\r\n3139,11/2/2020,less then 24 hours 7am me and my family will cast our vote . ages 18224653 all for potus  lets remind them all that this country was founded by people who believed in freedom and capitalism and we will not allow the dems antifa blm or the media tell us how 2live trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n3140,11/2/2020,let me get this straight trump has barricaded himself in the white house right before the new president is announced something doesn\xe2\x80\x99t feel right here. i believe he will literally have to be lifted from the premises.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n3141,11/2/2020,let\xe2\x80\x99s not forget that the biggest grifters this term have been trump and his children.,United States of America,Indiana,IN,Donald Trump,0,-0.6\r\n3142,11/2/2020,lijaan12 one guy is voting for biden and one guy is voting for trump. they wanted to show us what will be happening once the winner is picked.,United States of America,New York,NY,Donald Trump,0,-0.2\r\n3143,11/2/2020,like all corrupt tyrants trump can\xe2\x80\x99t let go of the immunity that the presidency grants him... his freedom depends on it. maga trump maga2020,United States of America,California,CA,Donald Trump,0,-0.3\r\n3144,11/2/2020,lindsey rolls over and plays dead for trump,United States of America,Colorado,CO,Donald Trump,0,-0.5\r\n3145,11/2/2020,listen to friday's billbunkley show trump dir of press communications erinmperrine on the tampa rally-focusfamily drgreganderin smalley on navigating political differences in your family-movieguide evy carroll reviews courageous release/hollidate,United States of America,Florida,FL,Donald Trump,0,-0.3\r\n3146,11/2/2020,lonnielooney broy_1117 dregis1975 realdonaldtrump those trump hillbillies mostly don't have two nickels to rub together,United States of America,California,CA,Donald Trump,0,-0.4\r\n3147,11/2/2020,lpstephy85 chair_this fox8news white van was from bidenharris campaign.  what happened here looks like a road rage incident and the van in question only wanted to go behind the tour bus.  the trump truck obviously didn't yield resulting in the confrontation incident.,United States of America,Florida,FL,Donald Trump,0,-0.5\r\n3148,11/2/2020,maga gop republican rightwing trump dumptrump radicalright gopdeathcult death destruction disease how could you ever vote for donaldtrump or his republicanparty supporters,United States of America,California,CA,Donald Trump,0,-0.7\r\n3149,11/2/2020,maga2020  asshole taking care of his supporters....trump2020 election2020 trump,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n3150,11/2/2020,majorpain1955 theheraldcanada theyorkweekly lucye7251969 donnayoungdc stuboybaggins surfgirl1968 gabrielaitto acfortruth100 d0ugrosa marciomaluko deirdre316 kantoronlinepl trump trumpnotfitforoffice resist trumpmeltdown biden bidenharris2020tosaveamerica,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n3151,11/2/2020,make trump a 1 term president \xf0\x9f\xa4\xa1trumpmeltdown votebiden voteresponsibly americaortrump americasgreatestmistake trumptraintexas vote2020 joebiden bidenharris2020tosaveamerica,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n3152,11/2/2020,malalibashir malcolmnance you mean the same taliban that trump made deal with and who are supposedly in peacetalks with afghan govt,United States of America,New York,NY,Donald Trump,0,-0.5\r\n3153,11/2/2020,mariabartiromo morningsmaria foxbusiness do not allow the lying cheating realdonaldtrump to sabotage the election. don't be discouraged by the would-be autocrat and the unholy trump-fox-republican-russia alliance. bring your ballot to a drop box or get on the line and votebiden. flipthesenate your vote matters.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n3154,11/2/2020,mark a. fisher and matt morris kick off the trumpiversary at oddballmagazine  poetry artwork trump,United States of America,Massachusetts,MA,Donald Trump,1,0.2\r\n3155,11/2/2020,mark hamill does final lincoln project ad calling out grotesque trump\xe2\x80\x99s tyranny stopping votes from being counted  as gop republicans do not want votes counted they encourage tyranny. stop them now vote votebluetoendthenightmare,United States of America,New York,NY,Donald Trump,0,-0.7\r\n3156,11/2/2020,markmeadows realdonaldtrump trump thetraitor spends all of his time either golfing or trying to destroy americanscitizens that disagrees with him,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n3157,11/2/2020,matt's value has been his rare voice from the left in identifying democrat bs.  but that doesn't mean he has become a trump fan.  nonetheless an interesting read,United States of America,Texas,TX,Donald Trump,1,0.3\r\n3158,11/2/2020,meidas_sammi lawrence that is the only statement made by trump i agree with,United States of America,Florida,FL,Donald Trump,2,0\r\n3159,11/2/2020,michaelkeaton i dont care what you think. i am voting trump,United States of America,Arizona,AZ,Donald Trump,0,-0.4\r\n3160,11/2/2020,michaelkeaton nativeamerican for trump,United States of America,Washington,WA,Donald Trump,1,0.3\r\n3161,11/2/2020,michaelkeaton trump all the way to 300+ electoral votes tomorrow night take it to the bank,United States of America,Virginia,VA,Donald Trump,0,-0.1\r\n3162,11/2/2020,monday 2020election is a \xe2\x80\x9cbattleofthesexes\xe2\x80\x9d men versus women; biden will get the women\xe2\x80\x99s vote &amp; trump men support,United States of America,New York,NY,Donald Trump,0,-0.2\r\n3163,11/2/2020,more like make america racist again time to go home you poc \xf0\x9f\x98\xa1 it\xe2\x80\x99s joes time now america americaortrump trump biden corruptjoebiden 2020election 4moreyears 2020elections bidencrimefamiiy americasgreatestmistake antifaterrorists republican democrat youaintblack,United States of America,Texas,TX,Donald Trump,0,-0.7\r\n3164,11/2/2020,more maga political terrorism trump cultists target predominantly african-american community of marin city california cruising through in their trucks screaming racial slurs at &amp; threatening residents,United States of America,Puerto Rico,PR,Donald Trump,0,-0.8\r\n3165,11/2/2020,morning reading greenfield64 election2020 trump pence biden harris jeffgreenfield nightline firingline politicomag 2020election winning,United States of America,California,CA,Donald Trump,1,0.1\r\n3166,11/2/2020,my facebook post from 2012 obama/biden administration  trump2020 donaldtrump realdonaldtrump donaldjtrumpjr erictrump kayleighmcenany,United States of America,New York,NY,Donald Trump,0,-0.1\r\n3167,11/2/2020,my full interview with mr. vinaithummalapally\xf0\x9f\x91\x87\xf0\x9f\x8f\xbc  usa presidentialelection2020 potus trump joebiden kamalaharris obamacare america economy job corona crisis democrats gop republicans on india china pakistan issue telugu diaspora,United States of America,Texas,TX,Donald Trump,2,0\r\n3168,11/2/2020,naacp aprildryan trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  via nyi_news follow the new york independent on twitter,United States of America,New York,NY,Donald Trump,1,0.2\r\n3169,11/2/2020,nah keep fauci fire trump.,United States of America,California,CA,Donald Trump,2,0\r\n3170,11/2/2020,nathaliejacoby1 trump has no explanation for that. i can\xe2\x80\x99t believe he\xe2\x80\x99s still peddling the ridiculous line about testing. his cult followers are sheep who will believe anything he says. cult45 covid,United States of America,District of Columbia,DC,Donald Trump,0,-0.5\r\n3171,11/2/2020,nbc will not air a fallacious trump victory speech on election night,United States of America,New York,NY,Donald Trump,0,-0.7\r\n3172,11/2/2020,nc_governor bye cooper tomorrow i finally get to vote you out of office... ahhhh.... such a sweet rush. i hope you work on your control issues....it\xe2\x80\x99s really only a good trait in nazi germany. see you never again \xf0\x9f\x91\x8b \xf0\x9f\x91\x8b \xf0\x9f\x91\x8b vote trump2020landslidevictory trump redwave gop,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n3173,11/2/2020,never in my lifetime have seen so much visceral hate between two parties in an election. vote voteresponsibly donaldtrump joebiden,United States of America,Texas,TX,Donald Trump,2,0\r\n3174,11/2/2020,nixon center\xe2\x80\x94 the kremlin \xe2\x80\x94 trump | by zarina zabrisky | mosaic2 | medium trump electionday,United States of America,New York,NY,Donald Trump,2,0\r\n3175,11/2/2020,no worries if trump tries he will be blocked.,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n3176,11/2/2020,nothing that trump is involved in is created by god. bidenharris2020 bidenharris2020tosaveamerica bidenharris2020landslide bidenharristoendthisnightmare,United States of America,New York,NY,Donald Trump,2,0\r\n3177,11/2/2020,nypd arrests 11 after cops anti-trump protesters clash in nyc politics trump politicalviews,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n3178,11/2/2020,of course he does. realdonaldtrump defends nazis white supremacists racists domestic terrorists kim jong un mbs erdogan xi putin. he is unfit to be president. vote biden election2020  trump,United States of America,New York,NY,Donald Trump,0,-0.2\r\n3179,11/2/2020,ok - a bet is only worth it on the record. i go against the grain i do not expect election2020 will take days - this is a change election and a wholesale rejection of trump and trumpism - expect winner will be clear early 11.5 and trump will fight to count late votes.,United States of America,New York,NY,Donald Trump,0,-0.4\r\n3180,11/2/2020,okay hold up the day before the election haha trump is going after lebron james the nba the nfl and now lady gaga does he know who his opponent is lebronjames ladygaga trump biden uspresidentialelections2020 election2020 electionday electioneve,United States of America,California,CA,Donald Trump,0,-0.3\r\n3181,11/2/2020,omgno2trump trump supporters need some help getting out of their abusive relationship with him.,United States of America,Massachusetts,MA,Donald Trump,0,-0.8\r\n3182,11/2/2020,one more day vote demanddecency ichooseamerica votebiden gopbetrayedamerica trump lockhimup votehimout 2020election,United States of America,New York,NY,Donald Trump,2,0\r\n3183,11/2/2020,oof  2020election freedom kamalaharris joebiden donaldtrump potus,United States of America,Tennessee,TN,Donald Trump,1,0.4\r\n3184,11/2/2020,overheard today on .stephmillershow - trump criticized joe biden for having only drive-in rallies. at least biden's supporters have a ride home \xf0\x9f\x98\x82\xf0\x9f\x98\x82\xf0\x9f\x98\x82,United States of America,Wisconsin,WI,Donald Trump,0,-0.2\r\n3185,11/2/2020,oziecargile chrisrock                                                          dickie goodman novelty greatest trump trump usa jon goodman mashup realityshow sharkweek dew spacex music comedy spaceforce flyingsaucer ufo nasa babyshark ancientaliens election2020,United States of America,California,CA,Donald Trump,1,0.6\r\n3186,11/2/2020,palmerreport its funny that trump was talkin bout building a wall to block out mexicans from coming to america....but it ends up becuz of trump's inaptness to control  covid19 canada has set sanctions blocking americans from goin there,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n3187,11/2/2020,patrioticeducation trump potus,United States of America,North Carolina,NC,Donald Trump,1,0.1\r\n3188,11/2/2020,patriots....this is our super bowl.....nothing can stop what\xe2\x80\x99s about to happen....who\xe2\x80\x99s w me trump trump2020tosaveamerica,United States of America,Washington,WA,Donald Trump,1,0.7\r\n3189,11/2/2020,pennsylvania - trump at his rally tries to make it sound like he now approves of masks and self distancing. people behind him not wearing masks and shoulder to shoulder. florida usa vote for biden now. drop off your ballots or drop box only,United States of America,New York,NY,Donald Trump,0,-0.1\r\n3190,11/2/2020,pennsylvania election officials rattled after trump campaign requests names of ballot transporters storage locations | zero hedge  election2020 electionday trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n3191,11/2/2020,pennsylvania\xe2\x80\x99s final presidential polls have biden beating trump. but that didn\xe2\x80\x99t matter in 2016.  via voxdotcom news pennsylvaniafinalpolls election2020 bidenharris2020 trumpispathetic election2020 electionnight electionday 2020elections,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n3192,11/2/2020,people how can you be serious about covid if trump is not and there is no vaccination on hand this only getting worse \xf0\x9f\x98\x91 science verses politics caused by current administration votebidenharris2020 votebluetoendthenightmare maskup,United States of America,Illinois,IL,Donald Trump,0,-0.8\r\n3193,11/2/2020,please go vote tomorrow we need to keep donald trump in office please understand joe biden is going to lockdown our country which will mean many jobs lost. do not let it happen maga trump republican electionday electionnight democratsfortrump,United States of America,Michigan,MI,Donald Trump,0,-0.8\r\n3194,11/2/2020,please pennsylvania vote for our own  we have such a long patriotic history of voting freely. don\xe2\x80\x99t let this  monster who would happily kill our children to advance his own agenda who  calls our military losers and suckers stay in the whitehouse. trump=monster,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n3195,11/2/2020,please please please please please please please... bidenharris trump election2020 america politics equality,United States of America,California,CA,Donald Trump,0,-0.5\r\n3196,11/2/2020,please please please please please please please... bidenharris trump election2020 america politics equality,United States of America,California,CA,Donald Trump,0,-0.5\r\n3197,11/2/2020,please twitter suspend or lock all trump family accounts including realdonaldtrump until after election. they have incited violence throughout country,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n3198,11/2/2020,politico trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  via nyi_news follow the new york independent on twitter,United States of America,New York,NY,Donald Trump,0,-0.3\r\n3199,11/2/2020,prayer faith trump2020 trump election2020 god coronaviruspandemic lockdown2uk  praytoday...hortenseinspiration hi hortense grimes inspiration media dear heavenly father...this last campaign day,United States of America,District of Columbia,DC,Donald Trump,1,0.5\r\n3200,11/2/2020,pre-donaldtrump senator orrinhatch was one of the few congressional republicans that i respected but in 2011 he argued that low-income people were under taxed. perhaps because he feared the teaparty.,United States of America,Maryland,MD,Donald Trump,0,-0.5\r\n3201,11/2/2020,preaching history the trump way not the newyorktimes way...,United States of America,Florida,FL,Donald Trump,0,-0.6\r\n3202,11/2/2020,president donald trump vs. joe biden on border security - fox baltimore trump political government,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n3203,11/2/2020,president trump says he will send in the lawyers if pennsylvania's vote-counting appears compromised. repmeuser says voter security is the priority. election2020 electionday varneyco,United States of America,New York,NY,Donald Trump,0,-0.1\r\n3204,11/2/2020,projectlincoln americans will fire vote out  trump before that,United States of America,Virginia,VA,Donald Trump,0,-0.4\r\n3205,11/2/2020,rather fascinating. trump &amp; republicans have a thing for walls and fences. in psychology we call it obsessive-compulsive behavior. my governor is putting up a non-scalable fence around the capital building too.,United States of America,Georgia,GA,Donald Trump,2,0\r\n3206,11/2/2020,realdonaldtrump  donaldtrump,United States of America,California,CA,Donald Trump,1,0.3\r\n3207,11/2/2020,realdonaldtrump  trumpsuperspreaderrallies    trump.,United States of America,Michigan,MI,Donald Trump,2,0\r\n3208,11/2/2020,realdonaldtrump best way to negotiate with china according to trump set up an office pay taxes to their government stiff the taxman at home...and how about that trade deficit worse under our idiotpresident,United States of America,California,CA,Donald Trump,0,-0.2\r\n3209,11/2/2020,realdonaldtrump donaldtrump &amp; gop trumphasnoplan so this is what happens,United States of America,California,CA,Donald Trump,0,-0.2\r\n3210,11/2/2020,realdonaldtrump enjoy today. it\xe2\x80\x99s your last as president. gopbetrayedamerica trump votebluetoendthenightmare biden bidenharris2020,United States of America,Florida,FL,Donald Trump,2,0\r\n3211,11/2/2020,realdonaldtrump is a domestic terrorist. retweet if you agree. donaldtrump,United States of America,Texas,TX,Donald Trump,2,0\r\n3212,11/2/2020,realdonaldtrump nason don't know bout no testing but he knows about rocking people are saying even trump is going to write him in and biden too mapra pledgeallegiancetorockandroll,United States of America,Rhode Island,RI,Donald Trump,0,-0.2\r\n3213,11/2/2020,realdonaldtrump no cheeto. we have more cases because you are an incompetent self-absorbed asshole who lies and doesn\xe2\x80\x99t believe in science until he needs it himself. start packing trump covid19,United States of America,California,CA,Donald Trump,0,-0.2\r\n3214,11/2/2020,realdonaldtrump say what you want - but donaldtrump woke up voting in america.  all those teenagers are voting  yay,United States of America,New York,NY,Donald Trump,1,0.2\r\n3215,11/2/2020,realdonaldtrump someone\xe2\x80\x99s projecting again trump,United States of America,Florida,FL,Donald Trump,0,-0.4\r\n3216,11/2/2020,realdonaldtrump teamtrump potus is right vaccines are on the way soon covid19 trump vaccineswork vaccination,United States of America,Texas,TX,Donald Trump,1,0.1\r\n3217,11/2/2020,realdonaldtrump the only one strong and courageous enough to get america safely through this is trump - trump2020 trump2020landslide americafirst maga kag voteredtosaveamerica,United States of America,Arizona,AZ,Donald Trump,1,0.5\r\n3218,11/2/2020,realdonaldtrump this is pretty close to one of trump\xe2\x80\x99s stupidest and most unbelievable tweets to date. no one believes donaldtrump hired accountants that told him he should prepay his taxes and he responded \xe2\x80\x9cok how much\xe2\x80\x9d. only suckers and losers \xe2\x80\x9cprepaid\xe2\x80\x9d their taxes.,United States of America,California,CA,Donald Trump,0,-0.5\r\n3219,11/2/2020,realdonaldtrump trump coffins  coronavirus super spreader-rally special go out in style in the \xe2\x80\x9cgeneral lee\xe2\x80\x9d now 50% off.  ivankatrump. msnbc cnn gma trumpcoffins coronaviruspandemic trump trumpsuperspreaderrallies faucihero michigan wisconsin florida texas trumpdeathcult retweet,United States of America,Michigan,MI,Donald Trump,1,0.4\r\n3220,11/2/2020,realdonaldtrump votebiden gopbetrayedamerica trumpisanationaldisgrace trump lockhimup,United States of America,New York,NY,Donald Trump,1,0.1\r\n3221,11/2/2020,realdonaldtrump what kind of useless president does not receive a single day of majority approval in an entire 4 year term. what a loser. the worst president in history. no doubt. trump trumpispathetic,United States of America,New York,NY,Donald Trump,0,-0.4\r\n3222,11/2/2020,really what the trump campaign wants is to ask everybody for whom they're voting before they cast their ballots and then to throw all those voting for biden out.,United States of America,New Jersey,NJ,Donald Trump,0,-0.8\r\n3223,11/2/2020,realrlimbaugh - in your footsteps after a short break we are launching  - the national narrative - to push back at the corrupt partisan media - to fill our national narrative with research collaboration and fact - not swamp fiction. rbradley777 trump,United States of America,Florida,FL,Donald Trump,2,0\r\n3224,11/2/2020,redwaverising trump let's finish this,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n3225,11/2/2020,remember most of realdonaldtrump supporter are voting in person cuz we don\xe2\x80\x99t trust the mail in ballots..that is why you seeing biden winning in some places. than you\xe2\x80\x99ll see the shifting like there is no tomorrow.. trump will win god is with him and the american people.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n3226,11/2/2020,remember republicans in congress could have stood against trump. they could have held him accountable. they chose not to. every single one of trump's enablers must be voted out. votethemallout voteblue vote,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n3227,11/2/2020,remember when trump thought he could nuke hurricanes what a dope. hurricaneeta,United States of America,Texas,TX,Donald Trump,1,0.1\r\n3228,11/2/2020,rememberinnovember trump trumplandslide,United States of America,New York,NY,Donald Trump,2,0\r\n3229,11/2/2020,reposted from saladinojoseph whose fault was it trump2020 trump republican conservative,United States of America,Texas,TX,Donald Trump,0,-0.1\r\n3230,11/2/2020,republicans we believe states should decide for themselves. also republicans we don't like what the state court told us so we're going to a federal court. trumpispathetic trump texasforbiden,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n3231,11/2/2020,rexchapman such a horrible embarrassing shame . the hallmark of democracy looks like a third world sh^thole  country because of trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.9\r\n3232,11/2/2020,richardgrenell lochelsbakery in hatboro pa has successfully predicted the president in the last three elections based on their presidential cookie poll. she said it\xe2\x80\x99s about 28000 for trump to 5000 for biden today. the pic is from yesterday at 0600. \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 ~m trump2020landslide,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n3233,11/2/2020,richthekid says donaldtrump tried to fly him out to michigan \xf0\x9f\x91\x80,United States of America,California,CA,Donald Trump,0,-0.4\r\n3234,11/2/2020,richthekid showing text messages from donaldtrump\xe2\x80\x99s team. \xf0\x9f\x91\x80\xf0\x9f\x98\xb3 would you have taken the flight,United States of America,California,CA,Donald Trump,0,-0.3\r\n3235,11/2/2020,ridinwithbiden  bidenharris2020 trump,United States of America,Florida,FL,Donald Trump,2,0\r\n3236,11/2/2020,robyn_unplugged angelofmercy911 realdonaldtrump obama polluted the middle east created isis displaced millions and killed innocent people.  trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n3237,11/2/2020,rollcall trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  via nyi_news follow the new york independent on twitter,United States of America,New York,NY,Donald Trump,1,0.2\r\n3238,11/2/2020,sandrasmithfox having the sour scaramucci on today was like watching jerryspringer you &amp; your show are better than him-you were right-he made his money-he\xe2\x80\x99s an elitist who missed the birth of his child for trump now the country should suffer due to his mistakes-no trump2020,United States of America,New York,NY,Donald Trump,0,-0.8\r\n3239,11/2/2020,sanosbo1 politicususa i hope they get those trumpterrorists trump has blood \xf0\x9f\xa9\xb8on his hand if anyine gets hurt. nyc is all boarded up and they blocked all the bridges in several states. they are horrible vote bidenharris2020 biden bidenharristosaveamerica,United States of America,New York,NY,Donald Trump,0,-0.7\r\n3240,11/2/2020,scaramucci joebiden youtube all the lies scaramucci posts about realdonaldtrump just shows how disgruntled he is for being fired.  egotistical and narcissistic- plain to see.  this guy needs help he can\xe2\x80\x99t even articulate way he hates trump tds disgruntled trump2020landslide,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n3241,11/2/2020,scenesallard babe ruth's reply puts trump and lebron in perspective. one already has a 2020 championship season in his pocket...,United States of America,Ohio,OH,Donald Trump,2,0\r\n3242,11/2/2020,scottadamssays msnbc it would be no surprise today if the liberalmedia released polls all of a sudden showing biden tied with or losing to trump to scare dems into voting tomorrow.,United States of America,California,CA,Donald Trump,0,-0.6\r\n3243,11/2/2020,scottfishman realdonaldtrump you are rightyou are right feel the momentum we the people \xe2\x9d\xa4\xef\xb8\x8f donald trump four more yearsredwavetsunami tellthetruth trump2020landslidevictory trump2020 trump+4,United States of America,New York,NY,Donald Trump,1,0.7\r\n3244,11/2/2020,second injunction stalls trump tiktok executive orders,United States of America,California,CA,Donald Trump,0,-0.4\r\n3245,11/2/2020,seems like 50cent let the lefties change his mind and suppress him again.. they love keeping y\xe2\x80\x99all in their grip man.. sad to see trump,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n3246,11/2/2020,self-described anarchist spotted destroying trump signs arrested in palm coast report says. election trump biden,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n3247,11/2/2020,serious question i notice a fair amount a folks at today\xe2\x80\x99s trump rallies blocking bridges and intimidating voters - don\xe2\x80\x99t they have jobs,United States of America,New York,NY,Donald Trump,0,-0.8\r\n3248,11/2/2020,settle this one and for all and please this should be a landslide in one direction only. lebron james vs donald trump lebronjames donaldtrump nba\xc2\xa0 republican lakers lakersnation basketball,United States of America,California,CA,Donald Trump,2,0\r\n3249,11/2/2020,so are all these crowds not indicative of huge nationwde support looks like trump has fuelled the fires of america first &amp; patriotism in a great many voters.....'you can certainly see how he could win\xe2\x80\x99...or can see how biden could loose  via politico,United States of America,California,CA,Donald Trump,0,-0.5\r\n3250,11/2/2020,so donaldtrump doesn\xe2\x80\x99t think a vote should be counted bc he didn\xe2\x80\x99t think it was mailed early enough maga trump knows nothing of the law is not mentally qualified to be potus how are you equally as stupid voteresponsibly joebiden biden mondaymorning endthisregime,United States of America,California,CA,Donald Trump,0,-0.9\r\n3251,11/2/2020,solid advise  trump,United States of America,Georgia,GA,Donald Trump,1,0.5\r\n3252,11/2/2020,someone floated this to me today trump loses &amp; resigns. president pence pardons him of all wrongdoing &amp; he flees the country. this is allegedly a rumor circulating in d.c. can anyone confirm election2020 trump vote,United States of America,Montana,MT,Donald Trump,0,-0.5\r\n3253,11/2/2020,something you won't see on msm trump campaign could have used this as an ad. when's the last time the us had a president who communicates daily with the people &amp; not reading from a script either like 'em or loathe 'em trump's tweets are a defining political history marker.,United States of America,California,CA,Donald Trump,0,-0.5\r\n3254,11/2/2020,sowing doubt and confusion is an art and we have the master of all time pretending to run this country while he runs it into the ground trump maga,United States of America,Virginia,VA,Donald Trump,0,-0.8\r\n3255,11/2/2020,sparrowjess9 it's hard to be witty when trump is a-twitty.,United States of America,Illinois,IL,Donald Trump,0,-0.3\r\n3256,11/2/2020,standing by right-wing militia groups &amp; the us election. \xe2\x81\xa6acledinfo\xe2\x81\xa9 trump rightwingmilitia militiawatch votingrights civilrights pollwatching,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n3257,11/2/2020,stu i've covered every presidential election since 1976 - i've never seen anything like this one election2020 electionday biden trump varneyco,United States of America,New York,NY,Donald Trump,0,-0.2\r\n3258,11/2/2020,support_dem they\xe2\x80\x99re not prepping for a hurricane or a natural disaster... they\xe2\x80\x99re prepping for electionday . thisisamerica under trump  are we \xe2\x80\x9cgreat\xe2\x80\x9d yet,United States of America,Hawaii,HI,Donald Trump,0,-0.1\r\n3259,11/2/2020,supporters of president donaldtrump flooded roadways sunday in newyork and newjersey shutting down traffic on expressways and bridges.,United States of America,Nevada,NV,Donald Trump,0,-0.7\r\n3260,11/2/2020,survey  jist like magic vs obvious ariangrande ariana positions joebiden donaldtrump usaelection2020,United States of America,California,CA,Donald Trump,2,0\r\n3261,11/2/2020,team trump biden campaign math shows trump within 1 state of win  via breitbartnews,United States of America,Illinois,IL,Donald Trump,0,-0.2\r\n3262,11/2/2020,tedwheeler is an enemyofthepeople voteredremovecorruption trump trumptrain2020 bidencrimefamiiy blexit dontgetcomplacent eminem fourmoreyears kag latinosfortrump maga2020 potus45 redwavecoming redwaverising redwave trump to lead us,United States of America,Texas,TX,Donald Trump,2,0\r\n3263,11/2/2020,thank you so much verozaragovia for sharing i\xe2\x80\x99m thrilled to have my new story about vietnamese american voters published today in ajenglish - i learned a lot about my community and the issues facing voters this election2020   please have a read trump biden,United States of America,District of Columbia,DC,Donald Trump,1,0.8\r\n3264,11/2/2020,thank you speakerpelosi for doing this. the president of our country should be doing it but we all know trump is americasgreatestmistake,United States of America,Virginia,VA,Donald Trump,1,0.2\r\n3265,11/2/2020,thanks for sharing this. so when trump lies about the racism of maga and his supporters you can show this. vote bidenharris2020 blm hatecrime -,United States of America,New York,NY,Donald Trump,2,0\r\n3266,11/2/2020,thanks kirstiealley trump has this easily of course my state always goes red but i think it\xe2\x80\x99s possible california goes red if all the christians conservatives come out,United States of America,Oklahoma,OK,Donald Trump,1,0.1\r\n3267,11/2/2020,thanks to nonstop fear mongering from the media this is how many leftists view the current political situation. maga trump kag,United States of America,California,CA,Donald Trump,0,-0.4\r\n3268,11/2/2020,that's a lie but that's all you trumpians know and peddle all your waking time. trump has damaged the country for 4 years and rational voters say enough is enough we cannot have any more of him even as the accidental president he has been. bidenharris2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n3269,11/2/2020,the electoralcollege explained  via voxdotcom news election2020 trump biden trumpispathetic electionday elections2020 2020election 2020elections vote hope bidenharris2020 bidenharris2020tosaveamerica bidenharris bidenharristosaveamerica,United States of America,Texas,TX,Donald Trump,2,0\r\n3270,11/2/2020,the enemies of freedom divide america. look no further than msm &amp; the political party that controls them. follow the $$. remember trump is not a politician which is why he was elected in 2016. just b/c he is flawed like the rest of us doesn't mean god can't use him for good.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n3271,11/2/2020,the fact or idea that people really think trump has helped the american economy is ridiculous,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n3272,11/2/2020,the flyinmikepencehead sings a brucespringsteintribute to donaldtrump in prison,United States of America,New York,NY,Donald Trump,0,-0.3\r\n3273,11/2/2020,the longterm consequences of trump\xe2\x80\x99s conspiracytheory campaign  via voxdotcom news trumpispathetic election2020 electionday elections2020 2020election 2020elections biden bidenharris2020 bidenharris2020tosaveamerica bidenharrislandslide2020,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n3274,11/2/2020,the new riding gloves fit great and they are going to be a perfect fit for the next four years trump2020landslidevictory trump trumptrain trumppence2020 therealdonaldjtrump,United States of America,Kansas,KS,Donald Trump,1,0.9\r\n3275,11/2/2020,the nice thing about trump supporters is that you know who they are when they break the law.,United States of America,New York,NY,Donald Trump,1,0.2\r\n3276,11/2/2020,the one thing the military has taught me to do is read what is in black &amp; white. i don't care what you say... you're going to do this print... please read each presidentialcandidate policies biden trump jorgensen voteforamericaselfie voteearly,United States of America,Georgia,GA,Donald Trump,0,-0.3\r\n3277,11/2/2020,the scene from the trump rally in kenosha nearly 2 1/2 hours before realdonaldtrump is set to arrive.,United States of America,Wisconsin,WI,Donald Trump,0,-0.5\r\n3278,11/2/2020,the trump administration continues to dismantle water conservation efforts at every turn trumpadministration trump water conservation environment climatechange sciencematters,United States of America,California,CA,Donald Trump,0,-0.4\r\n3279,11/2/2020,the truth about the bidenbus in austin tx.  - trump supporters should be ashamed.,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n3280,11/2/2020,the wingnuts are out in force today. the pix of joebiden was taken in 2019 well before the pandemic. 2 minutes of research would have proven that. but trump's sycophants are too cowardly to tell the truth - might hurt trump's feelings. snowflakes and liars.,United States of America,Oregon,OR,Donald Trump,0,-0.6\r\n3281,11/2/2020,thebesttimedscreenshotever nov9th2016 letsgoroundtwo fourmoreyears trumppence2020 trump redwave,United States of America,Texas,TX,Donald Trump,2,0\r\n3282,11/2/2020,thehill another stooge for tiny hands trump,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n3283,11/2/2020,thehill trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  via nyi_news follow the new york independent on twitter,United States of America,New York,NY,Donald Trump,1,0.2\r\n3284,11/2/2020,thejusticedept fbi potus how is this even legal maga trump,United States of America,Massachusetts,MA,Donald Trump,0,-0.6\r\n3285,11/2/2020,these women also think they're married to god so being delusional is sort of in their wheelhouse. trump,United States of America,New York,NY,Donald Trump,0,-0.4\r\n3286,11/2/2020,thesimpsons it was a pathetic attempt to be funny while spreading lies. trump 2020 votersuppression vote makeamericagreatagain whereshunter familyguy is better.,United States of America,Pennsylvania,PA,Donald Trump,0,-0.6\r\n3287,11/2/2020,think about how you feel when a plane full of people crashes and you see the news that there are no survivors. now think about the fact that trump's horrific coronavirus response has led to the deaths of more than 1000 737 crashes. votehimout,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n3288,11/2/2020,think about your vote. if your vote is for trump because you think he\xe2\x80\x99s good for the economy well.... this says that you value money over integrity morality character ethics honesty decency and empathy.  so what does that vote really say about you then voteblue2020,United States of America,Washington,WA,Donald Trump,0,-0.5\r\n3289,11/2/2020,this election has turned into umich vs. ohiostate level of divisiveness.  it\xe2\x80\x99s really sad that this is what it\xe2\x80\x99s coming to.  vote voteresponsibly joebiden donaldtrump,United States of America,Texas,TX,Donald Trump,0,-0.3\r\n3290,11/2/2020,this is coming from the man whos said they were \xe2\x80\x9ccriminals and rapists\xe2\x80\x9d - an ironic self projection from trump - if you\xe2\x80\x99re a  person of hispanic background voting for trump is voting against your own interests. 2020election,United States of America,Massachusetts,MA,Donald Trump,0,-0.2\r\n3291,11/2/2020,this is like a huge trump tax on struggling families. bad at any time but truly horrendous during covid19 pandemic.,United States of America,California,CA,Donald Trump,0,-0.7\r\n3292,11/2/2020,this is one of the most contentious and angry seasons in history. christians are often a part of the rage especially aimed at elected officials and candidates. however we are called to a higher standard. the word is clear. election trump biden,United States of America,Tennessee,TN,Donald Trump,2,0\r\n3293,11/2/2020,this is what loco looks like... trump,United States of America,Maryland,MD,Donald Trump,0,-0.2\r\n3294,11/2/2020,this shouldn't need to be said but we are where we are. itiswhatitis vote countallthevotes trump p2,United States of America,Pennsylvania,PA,Donald Trump,0,-0.3\r\n3295,11/2/2020,this thread is frightening. trump secondterm democracydiesindarkness,United States of America,Indiana,IN,Donald Trump,0,-0.3\r\n3296,11/2/2020,three things can be true at once 1 trump has been a terrible president particularly in response to coronavirus. 2. mainstreammedia long ago abandoned any pretense of objectivity in regard to trump. 3. the democrats have their own unreported baggage.,United States of America,California,CA,Donald Trump,0,-0.5\r\n3297,11/2/2020,timmurtaugh realdonaldtrump the only people right now causing havoc including side swiping a biden aide's car are trump supporters. they are boarding up because y'all side wants a civil war.,United States of America,Texas,TX,Donald Trump,0,-0.5\r\n3298,11/2/2020,timryan centralma4biden joebiden trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  via nyi_news follow the new york independent on twitter,United States of America,New York,NY,Donald Trump,1,0.2\r\n3299,11/2/2020,today is a sad day for which future generations will recognize as a marker of a time guided by injustice. amyconeybarrett misogyny 2020elections supremecourt gop g12phvision2020 trump rbg,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n3300,11/2/2020,toddneeleydtn i hope they tell their parents how trump sold out ethanol.  iowa,United States of America,District of Columbia,DC,Donald Trump,0,-0.1\r\n3301,11/2/2020,tomhanks apparently trump wants to rewrite history. his executive order is basically nazi book burning. america usa covid19,United States of America,California,CA,Donald Trump,0,-0.3\r\n3302,11/2/2020,tomorrow is the big day i dropped my ballot off in the mail last week and it\xe2\x80\x99s already been counted if you\xe2\x80\x99re voting in person tomorrow please do so safely and of course be a climatevoter vote vote2020 election2020 potus president joebiden donaldtrump,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n3303,11/2/2020,tomorrow\xe2\x80\x99s nov 3rd vote could turn out to be one of the happiest days of my life. gotrump 4moreyears trump2020landslidevictory 2020elections americans americafirst trump2020landslide trump trumptrain,United States of America,Missouri,MO,Donald Trump,1,0.3\r\n3304,11/2/2020,trish_zornio trump &amp; any other weak men. ladygaga female success,United States of America,California,CA,Donald Trump,1,0.3\r\n3305,11/2/2020,truly i have had enough of the insecurity fomented by trump. republican leaders need to check this so-called leader of their party. votehimout weneedsaneleadership,United States of America,California,CA,Donald Trump,0,-0.3\r\n3306,11/2/2020,trump,United States of America,California,CA,Donald Trump,2,0\r\n3307,11/2/2020,trump,United States of America,California,CA,Donald Trump,2,0\r\n3308,11/2/2020,trump,United States of America,Florida,FL,Donald Trump,2,0\r\n3309,11/2/2020,trump,United States of America,New York,NY,Donald Trump,2,0\r\n3310,11/2/2020,trump,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n3311,11/2/2020,trump,United States of America,Colorado,CO,Donald Trump,2,0\r\n3312,11/2/2020,trump,United States of America,Ohio,OH,Donald Trump,2,0\r\n3313,11/2/2020,trump &amp; the coronavirus last week tonight with john oliver hbo trumphasnoplan  via youtube,United States of America,California,CA,Donald Trump,0,-0.1\r\n3314,11/2/2020,trump advisor turns to russian propaganda tv to tout failed pandemic response arstechnica   bethmariemole,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n3315,11/2/2020,trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  via nyi_news follow the new york independent on twitter,United States of America,New York,NY,Donald Trump,1,0.2\r\n3316,11/2/2020,trump and greed have ruined america.  new leadership is biden - harris.,United States of America,New York,NY,Donald Trump,0,-0.5\r\n3317,11/2/2020,trump biden election2020 electionday electoralcollege electioneve greggutfeld danaperino geraldorivera peggynoonannyc anncoulter thehill yahoonews mzhemingway katiepavlich jessicatarlov   dbongino brithume,United States of America,New Jersey,NJ,Donald Trump,2,0\r\n3318,11/2/2020,trump biden vote 2020  los angeles california,United States of America,Michigan,MI,Donald Trump,1,0.1\r\n3319,11/2/2020,trump btc,United States of America,Michigan,MI,Donald Trump,2,0\r\n3320,11/2/2020,trump criticizes lockdowns in europe as covid-19 cases surge on the continent and in us \xe2\x80\x94\xe2\x80\x94&gt;,United States of America,Ohio,OH,Donald Trump,2,0\r\n3321,11/2/2020,trump data,United States of America,California,CA,Donald Trump,2,0\r\n3322,11/2/2020,trump defends texas bus 'patriots' after gop chairwoman says he doesn't endorse harming others,United States of America,Washington,WA,Donald Trump,0,-0.6\r\n3323,11/2/2020,trump demanding winner declared on election day means soldiers serving overseas will not have their votes counted. how an un-american can he be,United States of America,California,CA,Donald Trump,0,-0.4\r\n3324,11/2/2020,trump disinformation election2020 electioninterference,United States of America,District of Columbia,DC,Donald Trump,0,-0.2\r\n3325,11/2/2020,trump en route to fayetteville nc,United States of America,Idaho,ID,Donald Trump,2,0\r\n3326,11/2/2020,trump encouraging these idiots to hurt people  what\xe2\x80\x99s there saying  oh yeh lockthemup assholes need some jail time,United States of America,Pennsylvania,PA,Donald Trump,0,-0.8\r\n3327,11/2/2020,trump had an unscalable wall erected in front of whitehouse. something tells me he is afraid of all the women he insulted and assaulted through the years,United States of America,Pennsylvania,PA,Donald Trump,0,-0.4\r\n3328,11/2/2020,trump has repeatedly declared that he may not accept the electionresults if he is defeated. if he loses it is hard to imagine a smooth transition from his administration to that of joebiden says clayjenkinson... read more,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n3329,11/2/2020,trump hedontcareaboutu,United States of America,California,CA,Donald Trump,2,0\r\n3330,11/2/2020,trump help free 10000 isis prisoners when he got the call from putin &amp; the turkish leader to pull our troop back and leave our allies exposed.  thousands of our allies were killed by putin and the turkish leader. that's not fighting isis that's giving isis a helping hand.,United States of America,Kentucky,KY,Donald Trump,0,-0.4\r\n3331,11/2/2020,trump highway blockades show the future vision of realdonaldtrump donaldjtrumpjr  ivankatrump  for gop politics. shutdown suppression violence intimidation false imprisonment. america deserves better. votehimout democracy deserves better vote bidenharris2020,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n3332,11/2/2020,trump hints at firing dr anthony fauci after election,United States of America,California,CA,Donald Trump,0,-0.4\r\n3333,11/2/2020,trump insults every decent person who does not like trumps wrong doings including hard working valuable dr.fuci. now he is insulting lady gaga i can't believe that only after 4 years of trump this country is so damaged.go vote,United States of America,California,CA,Donald Trump,0,-0.5\r\n3334,11/2/2020,trump invited taliban to camp david,United States of America,California,CA,Donald Trump,2,0\r\n3335,11/2/2020,trump is a wannabe facist,United States of America,California,CA,Donald Trump,0,-0.6\r\n3336,11/2/2020,trump is americasgreatestmistake,United States of America,Virginia,VA,Donald Trump,2,0\r\n3337,11/2/2020,trump is currently denouncing having human emotions. trump,United States of America,Utah,UT,Donald Trump,0,-0.4\r\n3338,11/2/2020,trump is dividing america. trump is a sociopath; disunity and division is the single most devastating thing they inherently cause simply by their presence.,United States of America,California,CA,Donald Trump,0,-0.4\r\n3339,11/2/2020,trump is here\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 americafirst trump2020 mondayvibes trump voteresponsibly arsd election2020 electionday fourmoreyears biden2020 wonderfulmichigan,United States of America,Florida,FL,Donald Trump,2,0\r\n3340,11/2/2020,trump is in northcarolina right now trashing foxnews and their polling. guess he doesn\xe2\x80\x99t have any media friends left yet foxnews reporters like ingrahamangle keep mindlessly supporting him. fayetteville trumpislosing trumpmeltdown believe enemyofthepeople bidenharris,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n3341,11/2/2020,trump it\xe2\x80\x99s himself if anyone w/a message of truth. trumpisaliar,United States of America,Virginia,VA,Donald Trump,2,0\r\n3342,11/2/2020,trump kills,United States of America,New York,NY,Donald Trump,2,0\r\n3343,11/2/2020,trump lashes out after fbi announces investigation of bidenbusincident  theview cspanwj,United States of America,Ohio,OH,Donald Trump,0,-0.2\r\n3344,11/2/2020,trump lies trying to make you afraid. truth is he\xe2\x80\x99s afraid losing with bring prosecution and prison for his crimes.,United States of America,New York,NY,Donald Trump,0,-0.7\r\n3345,11/2/2020,trump ligado no 220v full workaholic. trump  maga,United States of America,California,CA,Donald Trump,2,0\r\n3346,11/2/2020,trump maga2020,United States of America,New York,NY,Donald Trump,2,0\r\n3347,11/2/2020,trump mocks fox news\xe2\x80\x99 laura ingraham for wearing a mask at michigan rally  lauraingraham trump election2020,United States of America,New York,NY,Donald Trump,2,0\r\n3348,11/2/2020,trump raves re how he badly he\xe2\x80\x99d beat up fellow septuagenarian joebiden if he had the chance. \xe2\x80\x9cthose legs have gotten very thin\xe2\x80\x9d trump said. \xe2\x80\x9cnot a lot of base. you wouldn\xe2\x80\x99t have to close you wouldn\xe2\x80\x99t have to close the fist.\xe2\x80\x9d  so presidential. \xf0\x9f\x98\x9e bidenharris2020 biden \xf0\x9f\x87\xba\xf0\x9f\x87\xb8\xf0\x9f\x92\x99,United States of America,California,CA,Donald Trump,0,-0.1\r\n3349,11/2/2020,trump reduces campaign spending in florida  trump election2020,United States of America,New York,NY,Donald Trump,1,0.1\r\n3350,11/2/2020,trump reportedly plans to declare early victory before votes are counted  trump election2020,United States of America,New York,NY,Donald Trump,0,-0.4\r\n3351,11/2/2020,trump returns to campaigntrail after testing positive for covid-19,United States of America,Illinois,IL,Donald Trump,0,-0.1\r\n3352,11/2/2020,trump spewing disease covidking votebidenharristosaveamerica,United States of America,Texas,TX,Donald Trump,2,0\r\n3353,11/2/2020,trump suggests he may fire fauci after election thehill,United States of America,Texas,TX,Donald Trump,0,-0.4\r\n3354,11/2/2020,trump suggests he might try to fire fauci post-election,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n3355,11/2/2020,trump supporters doing anything to cheat and they want to turn around and say democrats are trying to steal the election.,United States of America,California,CA,Donald Trump,0,-0.9\r\n3356,11/2/2020,trump supporters tried to run that bidenharris2020 bus off the road.....and i hope the fbi really does investigate and bring up charges theview,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n3357,11/2/2020,trump thinks all those 230000 died of covid19 just to make him look bad.,United States of America,California,CA,Donald Trump,0,-0.8\r\n3358,11/2/2020,trump thinks not talking about covid19 makes it go away delusional and unhinged   theview,United States of America,District of Columbia,DC,Donald Trump,0,-0.6\r\n3359,11/2/2020,trump thugs acting lawlessly.,United States of America,California,CA,Donald Trump,0,-0.8\r\n3360,11/2/2020,trump trump2020,United States of America,Tennessee,TN,Donald Trump,2,0\r\n3361,11/2/2020,trump trump2020 trump2020landslidevictory  the only way. nov 3,United States of America,California,CA,Donald Trump,2,0\r\n3362,11/2/2020,trump votehimout votehimout2020,United States of America,West Virginia,WV,Donald Trump,2,0\r\n3363,11/2/2020,trump worried about reality of being a crook out of office...,United States of America,New York,NY,Donald Trump,0,-0.6\r\n3364,11/2/2020,trump y biden har\xc3\xa1n sus apelaciones de \xc3\xbaltima hora a los votantes de los estados indecisos. trump realizar\xc3\xa1 manifestaciones en northcarolina michigan y wisconsin mientras biden dedicar\xc3\xa1 su atenci\xc3\xb3n al estado de pennsylvania y la ciudad de cleveland.,United States of America,California,CA,Donald Trump,1,0.1\r\n3365,11/2/2020,trump you are a \xf0\x9f\x92\xa9,United States of America,Florida,FL,Donald Trump,0,-0.1\r\n3366,11/2/2020,trump \xe2\x9a\xa0\xef\xb8\x8f vote him out\xe2\x80\xbc\xef\xb8\x8f,United States of America,California,CA,Donald Trump,0,-0.4\r\n3367,11/2/2020,trump's business philosophy has always been to undertake endless litigation so his opponents will settle on terms acceptable to trump. this election is the same. absent an outright trump win expect him to get this thing to scotus asap where he'll expect a sympathetic hearing.,United States of America,New York,NY,Donald Trump,0,-0.3\r\n3368,11/2/2020,trump's colectivos out &amp; about \xe2\x80\x9cthe individuals from the trucks asked him to roll down his window &amp; asked where he was going. the voter was concerned for his safety and rather than proceeding to the drop box instead left without depositing his ballot.\xe2\x80\x9d,United States of America,Puerto Rico,PR,Donald Trump,0,-0.5\r\n3369,11/2/2020,trump's immigration officials stump administration policies in az - fronteras the changing america desk politicalparties politics trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.8\r\n3370,11/2/2020,trump's trade policies have cost jobs and failed us workers. trump votebluetosaveamerica,United States of America,California,CA,Donald Trump,0,-0.4\r\n3371,11/2/2020,trump..trump has signed an executive disorder for all states to use his approved abacus to count all votes.......he is selling his abacus to the states for $100000 each ............he us also bought from putin a do it yourself lobotomy kit omg lmaoooooo,United States of America,New York,NY,Donald Trump,0,-0.5\r\n3372,11/2/2020,trumpresults trump will take california,United States of America,New York,NY,Donald Trump,0,-0.1\r\n3373,11/2/2020,trumpsupporters evangelicas jump in your cartrucks and join the other supporters who are trying to run biden/harris campaign bus off the road.  u must be part of the fun.  or join those who are causing traffic jams.  trump is urging u to do the same he is proud of this. are u,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n3374,11/2/2020,trumpwarroom in fact i documented how the washingtonmonument  was desecrated by a federal contractor that trump hired this year. i have the photos &amp; will report after electionday,United States of America,District of Columbia,DC,Donald Trump,0,-0.3\r\n3375,11/2/2020,trump\xf0\x9f\x90\x94\xf0\x9f\x92\xa9,United States of America,Tennessee,TN,Donald Trump,2,0\r\n3376,11/2/2020,truth  truth trump trump2020landslidevictory,United States of America,California,CA,Donald Trump,1,0.1\r\n3377,11/2/2020,twitter trump is spreading disinformation via twitter,United States of America,New York,NY,Donald Trump,0,-0.8\r\n3378,11/2/2020,ty darollins i know the fear today of voter's intimidation is focused on trump supporters and armed militia but i bet thousands of blacks and people of color are intimidated against voting know cops will be checking addresses inside polls.they're not necessary bospoli gotv,United States of America,Massachusetts,MA,Donald Trump,0,-0.7\r\n3379,11/2/2020,us vs them new song by sexdrone video by dwj creative dwj newalliaceeast trump biden republicans democrats rich poor vote,United States of America,Massachusetts,MA,Donald Trump,0,-0.4\r\n3380,11/2/2020,usa trump,United States of America,California,CA,Donald Trump,2,0\r\n3381,11/2/2020,usmc usmcwwr realdonaldtrump trump,United States of America,California,CA,Donald Trump,2,0\r\n3382,11/2/2020,vamos trump,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n3383,11/2/2020,vanzuchtelen geenstijl end racism wars and corruption. vote trump,United States of America,Massachusetts,MA,Donald Trump,0,-0.3\r\n3384,11/2/2020,very powerful message by dsouldavis  kamalaharris donaldtrump justice supremecourt ruthbaderginsberg rbg georgefloyd aliciakeys johnlegend adele blacklivesmatter msnbc cnn foxnews media news breakingnews politics faith encouragement,United States of America,Nevada,NV,Donald Trump,1,0.6\r\n3385,11/2/2020,very powerful message by dsouldavis  kamalaharris donaldtrump justice supremecourt ruthbaderginsberg rbg georgefloyd aliciakeys johnlegend adele blacklivesmatter msnbc cnn foxnews media news breakingnews politics faith encouragement,United States of America,Nevada,NV,Donald Trump,1,0.6\r\n3386,11/2/2020,via newcivilrights richard grenell tweets photo of biden from 2019 calls him a \xe2\x80\x98phony\xe2\x80\x99 for not wearing a mask \xe2\x80\x93 tweet goes viral  | civilrights lgbtq trump,United States of America,New York,NY,Donald Trump,0,-0.6\r\n3387,11/2/2020,via rawstory trump\xe2\x80\x99s coronavirus failures destroyed his presidency \xe2\x80\x94 and will be the first line of his obituary white house sources  | politics trump corruption,United States of America,New York,NY,Donald Trump,0,-0.7\r\n3388,11/2/2020,vote realdonaldtrump trump,United States of America,Florida,FL,Donald Trump,2,0\r\n3389,11/2/2020,vote trump,United States of America,Florida,FL,Donald Trump,2,0\r\n3390,11/2/2020,vote trump,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n3391,11/2/2020,vote trump,United States of America,Texas,TX,Donald Trump,2,0\r\n3392,11/2/2020,vote trump biden,United States of America,Washington,WA,Donald Trump,1,0.1\r\n3393,11/2/2020,votehimoutlockhimup votehimout2020 votehimout trump trumpisaracist trumpisacriminal trump needs to go.,United States of America,Oregon,OR,Donald Trump,0,-0.3\r\n3394,11/2/2020,voteredlikeyourlifedependsonit antifaterrorists jobs jobsnotmobs lawandorder trump trump2020landslidevictory,United States of America,California,CA,Donald Trump,2,0\r\n3395,11/2/2020,votolatino latinos for trump  here in arizona  remember sheriff arpaio ...i hate this man and trump pardoned him tump will be worse for latinos in 2nd term  trump failed latinos\xf0\x9f\x92\xa5a vote for trump is a vote for arpaio\xf0\x9f\x92\xa5arizona btw 584 kids now don\xe2\x80\x99t have parents hispanicsfortrump,United States of America,Arizona,AZ,Donald Trump,0,-0.9\r\n3396,11/2/2020,waff48 or put another way trump is threatening to fire dr. fauci our nation\xe2\x80\x99s top infectious disease expert in the middle of a pandemic. if you think this is a smart idea do a few laps around your neighborhood and try to clear your head of the brainwashing. honestly do it.,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n3397,11/2/2020,warning donald j trump- don\xe2\x80\x99t fuck with our election.  donaldtrump americasgreatestmistake republicansforbiden,United States of America,Kentucky,KY,Donald Trump,0,-0.2\r\n3398,11/2/2020,warren buffett won't be too worried whether trump or biden wins the election as he expects americans to only grow richer in the long run political government trump,United States of America,District of Columbia,DC,Donald Trump,0,-0.7\r\n3399,11/2/2020,washingtonpost trump agonistes an american epic in three acts - essential reading on the rise and fall of donaldtrump  via nyi_news follow the new york independent on twitter,United States of America,New York,NY,Donald Trump,1,0.2\r\n3400,11/2/2020,watching trump at his rallies i wonder does donaldtrump ever talk about political issues or does he just name call &amp; talk negatively about biden  why doesn't he talk about what he is actually going to do he can't because he doesn't have a plan election2020  politics,United States of America,New York,NY,Donald Trump,0,-0.8\r\n3401,11/2/2020,we've taken a look at the biden and trump campaigns\xe2\x80\x99 analytics and tracking technology in 2020 to learn how they're understanding their supporters and personalize their messaging,United States of America,New York,NY,Donald Trump,2,0\r\n3402,11/2/2020,weakling &amp; coward potus realdonaldtrump will be hiding behind a fence from americans like a third-world despot. there has never been a bigger pussy than trump in the whitehouse. 'non-scalable' fence to go up around white house before election,United States of America,New York,NY,Donald Trump,0,-0.2\r\n3403,11/2/2020,what do you predict will happen after tomorrow  election2020 electionday trump biden,United States of America,Texas,TX,Donald Trump,2,0\r\n3404,11/2/2020,what's funny/ridiculous is that if trump is losing by the end of tues night he'll demand that we count every vote for weeks.,United States of America,New York,NY,Donald Trump,0,-0.6\r\n3405,11/2/2020,while nygovpaterson55 believes trump will lose due to covid response the former governor told me for cont,United States of America,New York,NY,Donald Trump,0,-0.6\r\n3406,11/2/2020,who cares what trump and his lawyers and cronies want why are we concerned \xf0\x9f\xa4\x94 he\xe2\x80\x99s just a candidate he doesn\xe2\x80\x99t run the election nor does the federal government run the election. each state will count all votes. periodttttt \xf0\x9f\x92\xaf election2020 electioneve counteveryvote,United States of America,North Carolina,NC,Donald Trump,0,-0.1\r\n3407,11/2/2020,who the hell would vote for bidenharris he\xe2\x80\x99s afraid of peaceful trump supporters in pickups and flags\xf0\x9f\x98\x82 and he ignore left wing violent antifa what a joke he is and the fbi is.,United States of America,Illinois,IL,Donald Trump,0,-0.9\r\n3408,11/2/2020,who will be better for your 401k trump or biden the budgetmodel is cited in this newsweek article that breaks down each candidate's potential impact,United States of America,Pennsylvania,PA,Donald Trump,2,0\r\n3409,11/2/2020,who will win the 2020 presidential election share this poll and lets see what the people think. vote trump biden 2020election voted president,United States of America,California,CA,Donald Trump,2,0\r\n3410,11/2/2020,who will win tomorrow trump biden trumppence2020 bidenharris2020 polls election2020 electionday,United States of America,New York,NY,Donald Trump,2,0\r\n3411,11/2/2020,who will/did you vote for usa electionpoll trump bidenharris biden trump2020landslidevictory covid19 uselections2020 voteresponsibly vote trumplandslide redwave2020 bluewavefestival2020,United States of America,Oklahoma,OK,Donald Trump,2,0\r\n3412,11/2/2020,why does trump have to play eltonofficial's tiny dancer at his rallies it's one of my all-time favorite songs; a true masterpiece &amp; a classic. i hate hearing it as the backdrop to his misinformation campaign. bidenharris2020 votehimout eltonjohn,United States of America,Florida,FL,Donald Trump,2,0\r\n3413,11/2/2020,why joe biden is a lesser evil than bernie sanders or greens' howie hawkins  blacklivesmatter trumpownseverydeath trump trumpdemic trumphascovid staged via clayclai,United States of America,California,CA,Donald Trump,0,-0.4\r\n3414,11/2/2020,why people are going to vote for trump,United States of America,Michigan,MI,Donald Trump,0,-0.7\r\n3415,11/2/2020,wise words and common sense observations. trump kag2020,United States of America,California,CA,Donald Trump,2,0\r\n3416,11/2/2020,with trump you\xe2\x80\x99re on your own. if you\xe2\x80\x99re a child an elderly person you\xe2\x80\x99re on your own. trumpdeathtoll236k,United States of America,Nevada,NV,Donald Trump,0,-0.2\r\n3417,11/2/2020,worstchristmasever biden trump election2020 youngstown ohio movie watch,United States of America,Ohio,OH,Donald Trump,1,0.1\r\n3418,11/2/2020,wow keeping americans poor trump \xf0\x9f\x96\x95\xf0\x9f\x8f\xbd\xf0\x9f\x96\x95\xf0\x9f\x8f\xbd votebidenharristosaveamerica \xf0\x9f\x8c\x8a\xf0\x9f\x8c\x8a,United States of America,Massachusetts,MA,Donald Trump,1,0.6\r\n3419,11/2/2020,wow shits gonna be weird to look back on at least im on the right side trump,United States of America,California,CA,Donald Trump,2,0\r\n3420,11/2/2020,wow that is on another level of crazy. trump election2020,United States of America,California,CA,Donald Trump,2,0\r\n3421,11/2/2020,wow \xf0\x9f\x91\x80 obama \xf0\x9f\xa4\xae is back to lying about potus realdonaldtrump ~ news flash\xf0\x9f\x92\xa5barack ~ trump works harder in one day ~ then you worked in an entire year you did not work you made excuses about why manufacturing would never come back lost your magic-wand \xf0\x9f\xa4\xaamiami maga \xe2\x9d\xa4\xef\xb8\x8f\xf0\x9f\x87\xba\xf0\x9f\x87\xb8,United States of America,Texas,TX,Donald Trump,0,-0.8\r\n3422,11/2/2020,yeah that was not a good statement. but the idea that all people of color would be against a racist like trump is understandable.,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n3423,11/2/2020,yes-there are ppl that have woken up hope more americans do too it does matter when you wake up it sure better be by tomorrow for all that haven\xe2\x80\x99t voted yet. don\xe2\x80\x99t let your pride override your principles- if you believe in honesty respect &amp; justice - trump is hoodwinking you,United States of America,Texas,TX,Donald Trump,0,-0.2\r\n3424,11/2/2020,you already have a turkey in pittsburgh - biden trump2020  trump,United States of America,Florida,FL,Donald Trump,0,-0.2\r\n3425,11/2/2020,you just know that trump is going to deny the will of the people and refuse to leave office when he loses this election. somebody start printing up get the fuck out t-shirts. election2020 electionday elecciones2020,United States of America,Oregon,OR,Donald Trump,0,-0.4\r\n3426,11/2/2020,you know what trump has provoked his trumpsters to do,United States of America,New York,NY,Donald Trump,0,-0.4\r\n3427,11/2/2020,\xe2\x80\x9cfactual presidental voting guide\xe2\x80\x9d trump,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n3428,11/2/2020,\xf0\x9f\x87\xba\xf0\x9f\x87\xb8 ahead of electionday in the usa this is what you need to know trump adviser reveals stricter travel ban if president serves second term  travel culture immigration vote,United States of America,District of Columbia,DC,Donald Trump,0,-0.4\r\n3429,11/2/2020,\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd\xf0\x9f\x91\x8f\xf0\x9f\x8f\xbd politics biden trump,United States of America,Texas,TX,Donald Trump,0,-0.6\r\n3430,11/2/2020,\xf0\x9f\x93\xa3 new podcast ep. 977 | election day eve | the fight moving forward | how america must change on spreaker 2020_election biden election election_2020 trump trump_biden,United States of America,Massachusetts,MA,Donald Trump,2,0\r\n3431,11/2/2020,\xf0\x9f\x93\xa3 new podcast treason show 54 on spreaker coronavirus election france lockdowns sanfrancisco trump,United States of America,Arizona,AZ,Donald Trump,2,0\r\n3432,11/2/2020,\xf0\x9f\xa4\x90\xf0\x9f\xa4\x90\xf0\x9f\xa4\x90\xf0\x9f\xa4\x90\xf0\x9f\xa4\x90  eleicoes2020  eleicoeseua trump  trump2020tosaveamerica  trump2020 eleicoesnoseua,United States of America,District of Columbia,DC,Donald Trump,2,0\r\n"}
In [ ]:
model_df_gcp = spark.read.csv('Tweets_with_GCP.csv', inferSchema=True, header=True)
model_df_gcp = model_df_gcp.drop('GCP_sentiment_score')
In [ ]:
model_df_gcp.show(5)
+-----+----------+--------------------+--------------------+--------+----------+---------+------------+
|Index|      date|               tweet|             country|   state|state_code|Candidate|GCP_polarity|
+-----+----------+--------------------+--------------------+--------+----------+---------+------------+
|    0|10/15/2020|corruption bidenc...|United States of ...|New York|        NY|Joe Biden|           0|
|    1|10/15/2020|hunterbiden hunte...|United States of ...|New York|        NY|Joe Biden|           1|
|    2|10/15/2020|let’s do this peo...|United States of ...|  Kansas|        KS|Joe Biden|           1|
|    3|10/15/2020|my latest for the...|United States of ...|   Texas|        TX|Joe Biden|           2|
|    4|10/15/2020|&amp; yeah pres i...|United States of ...|New York|        NY|Joe Biden|           2|
+-----+----------+--------------------+--------------------+--------+----------+---------+------------+
only showing top 5 rows

In [ ]:
election_pandas_gcp = model_df_gcp.toPandas()
In [ ]:
election_pandas_gcp['GCP_polarity']=election_pandas_gcp['GCP_polarity'].replace(0,'negative')
election_pandas_gcp['GCP_polarity']=election_pandas_gcp['GCP_polarity'].replace(1,'positive')
election_pandas_gcp['GCP_polarity']=election_pandas_gcp['GCP_polarity'].replace(2,'neutral')
In [ ]:
sentiment_count_gcp = election_pandas_gcp.groupby(['GCP_polarity', 'Candidate'])['tweet'].count().reset_index()
plt.figure(figsize=(10,8))
sns.barplot(data=sentiment_count_gcp, x='GCP_polarity', y='tweet', hue='Candidate')
plt.show()

f9a06a5b-b089-4f28-92ae-54c6646c4287.JPGbfdf4283-71a5-4b4f-b9bd-e83865f30d96.JPG

In [ ]:
# Filter NEUTRAL Sentiments - Textblob
model_df_textblob = model_df_textblob.filter(model_df_textblob.textblob_sentiment != 2).withColumn('textblob_sentiment', col('textblob_sentiment').cast('double'))
model_df_textblob.groupBy('textblob_sentiment').count().orderBy('textblob_sentiment').show()
+------------------+-----+
|textblob_sentiment|count|
+------------------+-----+
|               0.0| 3144|
|               1.0| 4930|
+------------------+-----+

In [ ]:
# Filter NEUTRAL Sentiments - GCP
model_df_gcp = model_df_gcp.filter(model_df_gcp.GCP_polarity != 2).withColumn('GCP_polarity', col('GCP_polarity').cast('double'))
model_df_gcp.groupBy('GCP_polarity').count().orderBy('GCP_polarity').show()
+------------+-----+
|GCP_polarity|count|
+------------+-----+
|         0.0| 9701|
|         1.0| 3964|
+------------+-----+

In [ ]:
# Regex Tokenizer
tokenizer = RegexTokenizer(inputCol="tweet", 
                           outputCol="raw_tokens",
                           pattern= "\\W")
rawTokenizedDF = tokenizer.transform(model_df_textblob)

# StopWords Remover
remover = StopWordsRemover(inputCol='raw_tokens',
                           outputCol='clean_tokens')
cleanTokenizedDF = remover.transform(rawTokenizedDF)
cleanTokenizedDF = cleanTokenizedDF.withColumn('num_tokens', size(cleanTokenizedDF['clean_tokens']))

# Count Vectorizer
countVectorizer = CountVectorizer(inputCol='clean_tokens',
                                  outputCol='raw_features')
cv_model = countVectorizer.fit(cleanTokenizedDF)
cv_df = cv_model.transform(cleanTokenizedDF)

# rescaling data
idf = IDF(inputCol="raw_features", outputCol="idf_features")
idfModel = idf.fit(cv_df)
rescaledData = idfModel.transform(cv_df)
In [ ]:
rescaledData.show()
+-----+----------+--------------------+--------------------+--------------------+----------+---------+------------+--------------------+------------------+--------------------+--------------------+----------+--------------------+--------------------+
|Index|      date|               tweet|             country|               state|state_code|Candidate|GCP_polarity|   textblob_polarity|textblob_sentiment|          raw_tokens|        clean_tokens|num_tokens|        raw_features|        idf_features|
+-----+----------+--------------------+--------------------+--------------------+----------+---------+------------+--------------------+------------------+--------------------+--------------------+----------+--------------------+--------------------+
|    6|10/15/2020|.nbc wth djt canc...|United States of ...|            New York|        NY|Joe Biden|           0|-0.09999999999999999|               0.0|[nbc, wth, djt, c...|[nbc, wth, djt, c...|        25|(18985,[2,31,87,1...|(18985,[2,31,87,1...|
|   12|10/15/2020|a few 🍺🍺🍺 and ...|United States of ...|               Texas|        TX|Joe Biden|           1|                 0.3|               1.0|[a, few, and, a, ...|[nbcblackout, sou...|         6|(18985,[2,20,159,...|(18985,[2,20,159,...|
|   14|10/15/2020|although in all f...|United States of ...|            New York|        NY|Joe Biden|           0|-0.08666666666666667|               0.0|[although, in, al...|[although, fairne...|        19|(18985,[2,8,39,17...|(18985,[2,8,39,17...|
|   15|10/15/2020|amazing video ama...|United States of ...|           Minnesota|        MN|Joe Biden|           1|  0.6000000000000001|               1.0|[amazing, video, ...|[amazing, video, ...|         7|(18985,[2,3,23,27...|(18985,[2,3,23,27...|
|   17|10/15/2020|amyklobuchar i pl...|United States of ...|           Louisiana|        LA|Joe Biden|           1|                 0.1|               1.0|[amyklobuchar, i,...|[amyklobuchar, pl...|         8|(18985,[1,3,72,17...|(18985,[1,3,72,17...|
|   18|10/15/2020|anthonysabatini w...|United States of ...|          California|        CA|Joe Biden|           0|  0.2857142857142857|               1.0|[anthonysabatini,...|[anthonysabatini,...|        10|(18985,[2,25,133,...|(18985,[2,25,133,...|
|   20|10/15/2020|apply the same st...|United States of ...|            New York|        NY|Joe Biden|           0|              0.0625|               1.0|[apply, the, same...|[apply, standard,...|        23|(18985,[1,5,39,61...|(18985,[1,5,39,61...|
|   21|10/15/2020|are the corrupt j...|United States of ...|            New York|        NY|Joe Biden|           0| -0.3666666666666667|               0.0|[are, the, corrup...|[corrupt, joebide...|        10|(18985,[2,53,144,...|(18985,[2,53,144,...|
|   22|10/15/2020|are we going to t...|United States of ...|             Indiana|        IN|Joe Biden|           0|              -0.125|               0.0|[are, we, going, ...|[going, talk, joe...|         9|(18985,[2,8,11,36...|(18985,[2,8,11,36...|
|   27|10/15/2020|bad barr knows th...|United States of ...|            New York|        NY|Joe Biden|           0|-0.23333333333333328|               0.0|[bad, barr, knows...|[bad, barr, knows...|        28|(18985,[0,1,4,9,5...|(18985,[0,1,4,9,5...|
|   29|10/15/2020|beck_amikebeck se...|United States of ...|            New York|        NY|Joe Biden|           0|               -0.25|               0.0|[beck_amikebeck, ...|[beck_amikebeck, ...|        33|(18985,[0,2,3,5,6...|(18985,[0,2,3,5,6...|
|   31|10/15/2020|benyt most americ...|United States of ...|District of Columbia|        DC|Joe Biden|           0|                0.25|               1.0|[benyt, most, ame...|[benyt, americans...|        27|(18985,[0,1,7,22,...|(18985,[0,1,7,22,...|
|   35|10/15/2020|biden -- kamala i...|United States of ...|          California|        CA|Joe Biden|           0|             -0.1125|               0.0|[biden, kamala, i...|[biden, kamala, b...|        21|(18985,[1,4,415,5...|(18985,[1,4,415,5...|
|   38|10/15/2020|biden bidenharris...|United States of ...|          California|        CA|Joe Biden|           1|                 0.5|               1.0|[biden, bidenharr...|[biden, bidenharr...|         8|(18985,[1,19,23,3...|(18985,[1,19,23,3...|
|   40|10/15/2020|biden got some of...|United States of ...|District of Columbia|        DC|Joe Biden|           1|                 1.0|               1.0|[biden, got, some...|[biden, got, best...|         7|(18985,[1,113,120...|(18985,[1,113,120...|
|   41|10/15/2020|    biden hahahahaha|United States of ...|District of Columbia|        DC|Joe Biden|           1|                 0.2|               1.0| [biden, hahahahaha]| [biden, hahahahaha]|         2|(18985,[1,13716],...|(18985,[1,13716],...|
|   42|10/15/2020|biden island righ...|United States of ...|      North Carolina|        NC|Joe Biden|           1| 0.14285714285714285|               1.0|[biden, island, r...|[biden, island, r...|        11|(18985,[1,25,191,...|(18985,[1,25,191,...|
|   45|10/15/2020|biden still hasn’...|United States of ...|       Massachusetts|        MA|Joe Biden|           0|  0.2142857142857143|               1.0|[biden, still, ha...|[biden, still, ha...|        14|(18985,[1,2,42,74...|(18985,[1,2,42,74...|
|   52|10/15/2020|bostonglobe maybe...|United States of ...|       Massachusetts|        MA|Joe Biden|           0|                0.05|               1.0|[bostonglobe, may...|[bostonglobe, may...|        25|(18985,[1,7,41,43...|(18985,[1,7,41,43...|
|   54|10/15/2020|breaking harris w...|United States of ...|District of Columbia|        DC|Joe Biden|           0| 0.22727272727272727|               1.0|[breaking, harris...|[breaking, harris...|        14|(18985,[1,59,64,7...|(18985,[1,59,64,7...|
+-----+----------+--------------------+--------------------+--------------------+----------+---------+------------+--------------------+------------------+--------------------+--------------------+----------+--------------------+--------------------+
only showing top 20 rows

VISUALIZATION OF AREA UNDER THE CURVE

In [ ]:
def areaUnderROC(myModel):
    trainingSummary = myModel.summary
    roc = trainingSummary.roc.toPandas()
    plt.plot(roc['FPR'],roc['TPR'])
    plt.ylabel('False Positive Rate')
    plt.xlabel('True Positive Rate')
    plt.title('ROC Curve')
    plt.show()
    print('Training set areaUnderROC: ' + str(trainingSummary.areaUnderROC))
    return trainingSummary

Classifications Models¶

Logistic Regression¶

In [ ]:
# Logistic Regression
#====================

# Vector Assembler
vecAssembler = VectorAssembler(inputCols=['idf_features', 'num_tokens'], 
outputCol='features')
dataset = vecAssembler.transform(rescaledData)

# Splitting data into training/test sets
training_df, test_df = dataset.randomSplit([0.80,0.20], seed=1)

#Building the model
log_reg = LogisticRegression(featuresCol='features', labelCol='textblob_sentiment')

# Training the model
lr_model = log_reg.fit(training_df)

# Testing the model
lr_result = lr_model.transform(test_df)
lr_result.groupBy('candidate','prediction').pivot('textblob_sentiment').count().show()
+------------+----------+---+---+
|   candidate|prediction|0.0|1.0|
+------------+----------+---+---+
|   Joe Biden|       1.0| 77|395|
|   Joe Biden|       0.0|159| 70|
|Donald Trump|       1.0|104|407|
|Donald Trump|       0.0|274|131|
+------------+----------+---+---+

In [ ]:
lr_result.groupBy('candidate','prediction').pivot('GCP_polarity').count().show()
+------------+----------+---+---+
|   candidate|prediction|  0|  1|
+------------+----------+---+---+
|   Joe Biden|       1.0|289|183|
|   Joe Biden|       0.0|201| 28|
|Donald Trump|       1.0|369|142|
|Donald Trump|       0.0|373| 32|
+------------+----------+---+---+

In [ ]:
# Multi-Class Evaluator
evaluator = MulticlassClassificationEvaluator(
    labelCol="textblob_sentiment", predictionCol="prediction",
    metricName="accuracy")
In [ ]:
# Create Parameter-Grid for Cross Validation
lrparamGrid = ParamGridBuilder() \
    .addGrid(log_reg.regParam, [0.01, 0.1, 1.0]) \
    .addGrid(log_reg.elasticNetParam, [0.5, 0.7, 0.9]) \
    .addGrid(log_reg.maxIter, [1, 5, 10])\
    .build()

# 10-Fold Cross Validator
lrcv = CrossValidator(estimator = log_reg,
                    estimatorParamMaps = lrparamGrid,
                    evaluator = evaluator,
                    numFolds = 10)
In [ ]:
# Fitting Cross-Validation to get the Best Model
lcrvModel = lrcv.fit(training_df)
lr_bestModel = lcrvModel.bestModel

print(lr_bestModel.getRegParam())
print(lr_bestModel.getElasticNetParam())
print(lr_bestModel.getMaxIter())
0.01
0.5
10
In [178]:
# Evaluating the accuracy of the model with the test set
# Predictions with the test set
predictions =lr_bestModel.transform(test_df)

# Evaluating the results
evaluator = MulticlassClassificationEvaluator(
    labelCol="textblob_sentiment", predictionCol="prediction",
    metricName="accuracy")

accuracy_lr = evaluator.evaluate(predictions)
print ("Model Accuracy: ", accuracy_lr)
Model Accuracy:  0.852195423623995
In [179]:
# Area Under the curve (AUC)
# Evaluating the results
evaluator = MulticlassClassificationEvaluator(
    labelCol="textblob_sentiment", predictionCol="prediction")

auc_lc = evaluator.evaluate(predictions)
print ("AUC: ", auc_lc)
AUC:  0.8488837446892383
In [180]:
def printConfusionMatrix(predictions):
    # Confussion Matrix
  true_positives = predictions[(predictions.sentiment == 1) & 
      (predictions.prediction == 1)].count()

  true_negatives = predictions[
      (predictions.sentiment == 0) & 
      (predictions.prediction == 0)].count()

  false_positives = predictions[
      (predictions.sentiment == 0) & 
      (predictions.prediction == 1)].count()

  false_negatives = predictions[
      (predictions.sentiment == 1) & 
      (predictions.prediction == 0)].count()

  print ("TN =", true_negatives, "  ", "FP =", false_positives)
  print ("FP =", false_negatives, "   ", "TP =", true_positives)
In [ ]:
type(log_reg)
Out[ ]:
pyspark.ml.classification.LogisticRegression
In [181]:
plt.figure(figsize=(5,5))
plt.plot([0, 1], [0, 1], 'r--')
plt.plot(lr_bestModel.summary.roc.select('FPR').collect(),
         lr_bestModel.summary.roc.select('TPR').collect())
plt.xlabel('FPR')
plt.ylabel('TPR')
plt.show()
/usr/local/lib/python3.7/dist-packages/pyspark/sql/context.py:127: FutureWarning:

Deprecated in 3.0.0. Use SparkSession.builder.getOrCreate() instead.

Naive Bayes¶

In [ ]:
from pyspark.ml.classification import NaiveBayes
In [ ]:
# Naive Bayes
#====================

#Building the model
naive_bayes = NaiveBayes(featuresCol='features', labelCol='sentiment')

# Training the model
naive_bayes_model = naive_bayes.fit(training_df)

# Testing the model
nb_result = naive_bayes_model.transform(test_df)
nb_result.groupBy('prediction').pivot('sentiment').count().show()
+----------+---+---+
|prediction|0.0|1.0|
+----------+---+---+
|       0.0|207|155|
|       1.0| 77|314|
+----------+---+---+

In [ ]:
# Multi-Class Evaluator
evaluator = MulticlassClassificationEvaluator(
    labelCol="sentiment", predictionCol="prediction",
    metricName="accuracy")
In [ ]:
# Create Parameter-Grid for Cross Validation
nbparamGrid = ParamGridBuilder() \
    .addGrid(naive_bayes.smoothing, [0.0, 0.1, 10.0, 100.0]) \
    .build()

# 10-Fold Cross Validator
nbcv = CrossValidator(estimator = naive_bayes,
                    estimatorParamMaps = nbparamGrid,
                    evaluator = evaluator,
                    numFolds = 10)
In [ ]:
# Fitting Cross-Validation to get the Best Model
nbrvModel = nbcv.fit(training_df)
nb_bestModel = nbrvModel.bestModel
In [ ]:
print(nb_bestModel.getSmoothing())
10.0
In [ ]:
# Evaluating the accuracy of the model with the test set
# Predictions with the test set
predictions = nb_bestModel.transform(test_df)

# Evaluating the results
evaluator = MulticlassClassificationEvaluator(
    labelCol="sentiment", predictionCol="prediction",
    metricName="accuracy")

accuracy_nb = evaluator.evaluate(predictions)
print ("Model Accuracy: ", accuracy_nb)
Model Accuracy:  0.749003984063745
In [ ]:
# Area Under the curve (AUC)
# Evaluating the results
evaluator = MulticlassClassificationEvaluator(
    labelCol="sentiment", predictionCol="prediction")

auc_nb = evaluator.evaluate(predictions)
print ("AUC: ", auc_nb)
AUC:  0.7447614121010044
In [ ]:
printConfusionMatrix(predictions)
TN = 170    FP = 114
FP = 75     TP = 394

Random Forest¶

In [ ]:
from pyspark.ml.classification import RandomForestClassifier
In [ ]:
# Random Forest
#====================

#Building the model
random_forest = RandomForestClassifier(featuresCol='features', labelCol='textblob_sentiment')

# Training the model
random_forest_model = random_forest.fit(training_df)

# Testing the model
nb_result = random_forest_model.transform(test_df)
nb_result.groupBy('prediction').pivot('textblob_sentiment').count().show()
In [ ]:
# Multi-Class Evaluator
evaluator = MulticlassClassificationEvaluator(
    labelCol="textblob_sentiment", predictionCol="prediction",
    metricName="accuracy")
In [ ]:
# Create Parameter-Grid for Cross Validation
rfparamGrid = ParamGridBuilder() \
    .addGrid(random_forest.numTrees, [10, 50, 100, 200, 300, 400, 500]) \
    .build()

# 10-Fold Cross Validator
rfcv = CrossValidator(estimator = random_forest,
                    estimatorParamMaps = rfparamGrid,
                    evaluator = evaluator,
                    numFolds = 10)
In [ ]:
# Fitting Cross-Validation to get the Best Model
rfrvModel = rfcv.fit(training_df)
rf_bestModel = rfrvModel.bestModel
In [ ]:
print(rf_bestModel.getNumTrees)
10
In [ ]:
# Evaluating the accuracy of the model with the test set
# Predictions with the test set
predictions = rf_bestModel.transform(test_df)

# Evaluating the results
evaluator = MulticlassClassificationEvaluator(
    labelCol="textblob_sentiment", predictionCol="prediction",
    metricName="accuracy")

accuracy_rf = evaluator.evaluate(predictions)
print ("Model Accuracy: ", accuracy_rf)
22/04/28 18:12:04 WARN DAGScheduler: Broadcasting large task binary with size 2.0 MiB
[Stage 1510:==================================================>   (15 + 1) / 16]
Model Accuracy:  0.6278825995807128
                                                                                
In [ ]:
# Area Under the curve (AUC)
# Evaluating the results
evaluator = MulticlassClassificationEvaluator(
    labelCol="textblob_sentiment", predictionCol="prediction")

auc_rf = evaluator.evaluate(predictions)
print ("AUC: ", auc_rf)
22/04/28 18:12:26 WARN DAGScheduler: Broadcasting large task binary with size 2.0 MiB
[Stage 1512:===============================================>      (14 + 2) / 16]
AUC:  0.48435502530437474
                                                                                
In [ ]:
printConfusionMatrix(predictions)
22/04/28 18:13:31 WARN DAGScheduler: Broadcasting large task binary with size 2.0 MiB
22/04/28 18:13:49 WARN DAGScheduler: Broadcasting large task binary with size 2.0 MiB
22/04/28 18:14:05 WARN DAGScheduler: Broadcasting large task binary with size 2.0 MiB
22/04/28 18:14:23 WARN DAGScheduler: Broadcasting large task binary with size 2.0 MiB
[Stage 1523:===============================================>      (14 + 2) / 16]
TN = 0    FP = 710
FP = 0     TP = 1198
                                                                                

Gradient Boost Algorithm¶

In [ ]:
from pyspark.ml.classification import GBTClassifier
# GBT Classifier
#====================

#Building the model
gbt_classifier = GBTClassifier(featuresCol='features', labelCol='textblob_sentiment')

# Training the model
gbt_model = gbt_classifier.fit(training_df)

# Testing the model
gbt_result = gbt_model.transform(test_df)
gbt_result.groupBy('prediction').pivot('textblob_sentiment').count().show()
accuracy_gbt = evaluator.evaluate(gbt_result)
print ("Model AccuracyGBT without K-fold: ", accuracy_gbt)
In [ ]:
# Multi-Class Evaluator
evaluator = MulticlassClassificationEvaluator(
    labelCol="textblob_sentiment", predictionCol="prediction",
    metricName="accuracy")
In [ ]:
# Takes 1 hour to run

paramGrid = (ParamGridBuilder()
             .addGrid(gbt_classifier.maxDepth, [2, 4, 6])
             .addGrid(gbt_classifier.maxBins, [20, 60])
             .addGrid(gbt_classifier.maxIter, [10, 20])
             .build())
cv = CrossValidator(estimator=gbt_classifier, estimatorParamMaps=paramGrid, evaluator=evaluator, numFolds=5)
# Run cross validations.  This can take about 6 minutes since it is training over 20 trees!
cvModel = cv.fit(training_df)
predictions = cvModel.transform(test_df)
accuracy_gbt = evaluator.evaluate(predictions)
print ("Model Accuracy: ", accuracy_gbt)

FM Classifier¶

In [ ]:
from pyspark.ml.classification import FMClassifier

fm = FMClassifier(labelCol='textblob_sentiment', \
              featuresCol="features", \
              stepSize=0.001)

# Training the model
fm_model = fm.fit(training_df)

# Testing the model
fm_result = fm_model.transform(test_df)
fm_result.groupBy('prediction').pivot('textblob_sentiment').count().show()
accuracy_fm = evaluator.evaluate(fm_result)
print ("Model AccuracyGBT without K-fold: ", accuracy_fm)
In [ ]:
ParamGrid = (ParamGridBuilder().addGrid(fm.stepSize, [0.001,0.01,0.1]).build())
cv = CrossValidator(estimator=fm, estimatorParamMaps=ParamGrid, evaluator=evaluator, numFolds=5)
cvModel= cv.fit(training_df)

#Best Model Performance
Predictions= cvModel.transform(test_df)
print("Best Model Test Area Under ROC", evaluator.evaluate(Predictions))

Decision Tree Classifier¶

In [ ]:
from pyspark.ml.classification import DecisionTreeClassifier
dc = DecisionTreeClassifier(featuresCol='features', labelCol='textblob_sentiment')

# Training the model
dc_model = dc.fit(training_df)

# Testing the model
dc_result = dc_model.transform(test_df)
dc_result.groupBy('prediction').pivot('textblob_sentiment').count().show()
accuracy_dc = evaluator.evaluate(dc_result)
print ("Model AccuracyGBT without K-fold: ", accuracy_dc)
In [ ]:
ParamGrid = (ParamGridBuilder().addGrid(dc.maxDepth, [2,3,5,10,15, 20]).addGrid(dc.maxBins, [5,10,20,30,40,50]).build())
cv = CrossValidator(estimator=dc, estimatorParamMaps=ParamGrid, evaluator=evaluator, numFolds=5)
cvModel= cv.fit(training_df)

#Best Model Performance
Predictions= cvModel.transform(test_df)
print("Best Model Test Area Under ROC DecisionTree Classifier", evaluator.evaluate(Predictions))

Linear SVM¶

In [ ]:
from pyspark.ml.classification import LinearSVC
svm =LinearSVC(featuresCol='features', labelCol='textblob_sentiment')

# Training the model
svm_model = svm.fit(training_df)


# Testing the model
svm_result = svm_model.transform(test_df)
svm_result.groupBy('prediction').pivot('textblob_sentiment').count().show()
accuracy_svm = evaluator.evaluate(svm_result)
print ("Model AccuracyGBT without K-fold: ", accuracy_svm)
In [ ]:
ParamGrid = (ParamGridBuilder().addGrid(svm.maxIter, [2,3,5,10,15, 20]).addGrid(svm.regParam, [0.1, 0.2,0.5]).build())
cv = CrossValidator(estimator=svm, estimatorParamMaps=ParamGrid, evaluator=evaluator, numFolds=5)
cvModel= cv.fit(training_df)

#Best Model Performance
Predictions= cvModel.transform(test_df)
print("Best Model Test Area Under ROC", evaluator.evaluate(Predictions))

Predicting sentiment for new tweets¶

Logistic Regression had the best accuracy so we are going to keep working with that model.

In [182]:
# Pipeline for NEW DATA INPUTS 
# ============================

# Regex Tokenizer
rawTokenizedDF = tokenizer.transform(predicting_df)

# StopWords Remover
cleanTokenizedDF = remover.transform(rawTokenizedDF)
cleanTokenizedDF = cleanTokenizedDF.withColumn('num_tokens', size(cleanTokenizedDF['clean_tokens']))

# Count Vectorizer
cv_df = cv_model.transform(cleanTokenizedDF)

# rescaling data
rescaledData = idfModel.transform(cv_df)

# Vector Assembler
dataset = vecAssembler.transform(rescaledData)

# Predicting the output with the Best Model
# =========================================
election_predictions = lr_bestModel.transform(dataset)

Analyzing Results¶

In [183]:
# Visualizing Data By Cadidate and Rating
election_predictions.groupBy('Candidate','Prediction').count().show()
    # 1: Positive
    # 0: Negative
+------------+----------+-----+
|   Candidate|Prediction|count|
+------------+----------+-----+
|   Joe Biden|       1.0|14543|
|   Joe Biden|       0.0| 2687|
|Donald Trump|       1.0|18552|
|Donald Trump|       0.0| 5010|
+------------+----------+-----+

In [184]:
# Visualizing Data By State By Candidate
    # Donald Trump
election_predictions.filter(election_predictions.Candidate == 'Donald Trump').groupBy('State','Prediction').count().orderBy('State','Prediction').show()
+--------------------+----------+-----+
|               State|Prediction|count|
+--------------------+----------+-----+
|             Alabama|       0.0|   14|
|             Alabama|       1.0|   51|
|              Alaska|       0.0|    5|
|              Alaska|       1.0|   21|
|             Arizona|       0.0|   73|
|             Arizona|       1.0|  300|
|            Arkansas|       0.0|   10|
|            Arkansas|       1.0|   17|
|          California|       0.0|  992|
|          California|       1.0| 3983|
|            Colorado|       0.0|  116|
|            Colorado|       1.0|  370|
|         Connecticut|       0.0|    9|
|         Connecticut|       1.0|   26|
|            Delaware|       0.0|    1|
|            Delaware|       1.0|    3|
|District of Columbia|       0.0|  409|
|District of Columbia|       1.0| 1651|
|             Florida|       0.0|  272|
|             Florida|       1.0| 1357|
+--------------------+----------+-----+
only showing top 20 rows

In [ ]:
    # Joe Biden
election_predictions.filter(election_predictions.Candidate == 'Joe Biden').groupBy('State','Prediction').count().orderBy('State','Prediction').show()
+--------------------+----------+-----+
|               State|Prediction|count|
+--------------------+----------+-----+
|             Alabama|       0.0|   83|
|             Alabama|       1.0|   15|
|              Alaska|       0.0|   23|
|              Alaska|       1.0|   10|
|             Arizona|       0.0|  253|
|             Arizona|       1.0|   85|
|            Arkansas|       0.0|   15|
|            Arkansas|       1.0|    1|
|          California|       0.0| 2353|
|          California|       1.0|  786|
|            Colorado|       0.0|  204|
|            Colorado|       1.0|   76|
|         Connecticut|       0.0|   21|
|         Connecticut|       1.0|    4|
|            Delaware|       0.0|    2|
|            Delaware|       1.0|    2|
|District of Columbia|       0.0|  841|
|District of Columbia|       1.0|  230|
|             Florida|       0.0|  789|
|             Florida|       1.0|  350|
+--------------------+----------+-----+
only showing top 20 rows

Visualizations¶

Predicting Votes FOR TRUMP & FOR BIDEN from the sentiments

In [185]:
# Total Tweets by State
total_tweets_df = election_predictions.groupBy("State")\
                               .agg({"tweet":"count"})\
                               .withColumnRenamed("COUNT(tweet)", "Total Tweets")
                            
# Sentiment Analysis Trump
count_positive = lambda cond: F.sum(F.when(cond, 1.0).otherwise(0))
count_negative = lambda cond: F.sum(F.when(cond, 1.0).otherwise(0))

sentiment_trump = election_predictions.filter(election_predictions.Candidate == 'Donald Trump') \
                                      .groupBy('State')\
                                      .agg((count_positive(F.col('prediction') == 1.0)).alias('Positive'), 
                                           count_negative(F.col('prediction') == 0.0).alias('Negative') 
                                      ).selectExpr('State', 'CAST(Positive/(Positive + Negative)  as DECIMAL(4,2)) as PosT',
                                                   'CAST(Negative/(Positive + Negative) as DECIMAL(4,2)) as NegT') 

sentiment_biden= election_predictions.filter(election_predictions.Candidate == 'Joe Biden') \
                                      .groupBy('State')\
                                      .agg(count_positive(F.col('prediction') == 1.0).alias('Positive'), 
                                           count_negative(F.col('prediction') == 0.0).alias('Negative') 
                                      ).selectExpr('State', 'CAST(Positive/(Positive + Negative)  as DECIMAL(4,2)) as PosB',
                                                   'CAST(Negative/(Positive + Negative)  as DECIMAL(4,2)) as NegB') 

# State Codes
state_codes = election_predictions.groupBy('State','state_code').count().select('State', 'state_code')

# Joining the Dataframes
sentiment_analysis_df = total_tweets_df.join(state_codes, on = "State").join(sentiment_trump, on = "State").join(sentiment_biden, on = "State")

sentiment_analysis_df = sentiment_analysis_df.selectExpr('State', 'state_code', '`Total Tweets`', 'CAST((PosT + NegB)/(PosT + NegT + PosB + NegB) * 100 as DECIMAL(4,2)) as `FOR Trump`',
                                                'CAST((PosB + NegT)/(PosT + NegT + PosB + NegB) * 100 as DECIMAL(4,2)) as `For Biden`').orderBy('State')

sentiment_analysis_df.show()
+--------------------+----------+------------+---------+---------+
|               State|state_code|Total Tweets|FOR Trump|For Biden|
+--------------------+----------+------------+---------+---------+
|             Alabama|        AL|         163|    49.50|    50.50|
|              Alaska|        AK|          59|    54.00|    46.00|
|             Arizona|        AZ|         711|    48.50|    51.50|
|            Arkansas|        AR|          43|    44.00|    56.00|
|          California|        CA|        8114|    48.00|    52.00|
|            Colorado|        CO|         766|    48.50|    51.50|
|         Connecticut|        CT|          60|    49.00|    51.00|
|            Delaware|        DE|           8|    37.50|    62.50|
|District of Columbia|        DC|        3131|    48.50|    51.50|
|             Florida|        FL|        2768|    48.00|    52.00|
|             Georgia|        GA|         985|    47.00|    53.00|
|              Hawaii|        HI|         143|    44.00|    56.00|
|               Idaho|        ID|         116|    52.50|    47.50|
|            Illinois|        IL|        1830|    48.00|    52.00|
|             Indiana|        IN|         248|    49.50|    50.50|
|                Iowa|        IA|          54|    55.50|    44.50|
|              Kansas|        KS|          77|    41.00|    59.00|
|            Kentucky|        KY|         125|    51.50|    48.50|
|           Louisiana|        LA|         231|    53.00|    47.00|
|               Maine|        ME|          14|    57.50|    42.50|
+--------------------+----------+------------+---------+---------+
only showing top 20 rows

In [186]:
results_df = sentiment_analysis_df.withColumn('Winner', when(col("FOR Trump") > col("FOR Biden"), "Donald Trump").otherwise("Joe Biden"))
results_df.show(5)

# Converting dataframe to Pandas for plotting
results_pandas = results_df.toPandas()
+----------+----------+------------+---------+---------+------------+
|     State|state_code|Total Tweets|FOR Trump|For Biden|      Winner|
+----------+----------+------------+---------+---------+------------+
|   Alabama|        AL|         163|    49.50|    50.50|   Joe Biden|
|    Alaska|        AK|          59|    54.00|    46.00|Donald Trump|
|   Arizona|        AZ|         711|    48.50|    51.50|   Joe Biden|
|  Arkansas|        AR|          43|    44.00|    56.00|   Joe Biden|
|California|        CA|        8114|    48.00|    52.00|   Joe Biden|
+----------+----------+------------+---------+---------+------------+
only showing top 5 rows

Prediction of 2020 election from tweets sentiment analysis¶

Prediction made with Textblob sentiment labeling

In [187]:
fig = pxw.choropleth(results_pandas, locationmode="USA-states", locations='state_code', color='Winner',scope="usa")
fig.update_layout(margin={"r":0,"t":0,"l":0,"b":0})
fig.show()

Prediction made with GCP NLP sentiment labeling

GCP_election_prediction.jpg

2020 Election results¶

https://www.cnn.com/election/2020/results/president

2020_election_final_results.jpg

CONCLUSION¶

We observed a disparity in the actual election results of 2020 and the sentiment analysis of our tweets data. Some of the reasons for this disparity could be:

  1. Inaccuracies in sentiment analysis
  • Sentiment labeling with Textblob/ GCP NL AI was far from perfect, we could see many cases where the sentiments were misclassified according to our interpretation of the tweets.
  • Along with that, the best classifier accuracy was ~85%, which contributes to some loss of accuracy
  1. Social media sentiment vs actual voting patterns
  • There could be a significant difference in sentiments expressed on social media and actual voting patterns. For example, a common observation is that young people are very vocal on social media, but only a small percentage vote, the converse is true for older people, they vote in higher percentages but express less on social media
  1. Inadequate data
  • The dataset is small, especially considering there could be millions of voters from each state but only hundreds or in many cases single/double digit number of tweets in our data
  • With a larger dataset of millions of tweets, we could perform a more accurate and meaningful analysis